code
stringlengths
3
10M
language
stringclasses
31 values
/** This module contains some usual predicates, either on entire ranges or on their elements. */ module dranges.predicate; import std.algorithm; import std.functional; import std.range; import std.traits; import dranges.range2 : segment; import dranges.traits2; import dranges.functional2; import dranges.templates; /** Is true if some (at least one) element in range verify the predicate pred. False otherwise. Typically, it's used with a unary (1-arg) predicate, but it accepts predicates of any arity. If the predicate is a n-args function (n>1), it will be presented with n-elements 'segments' of the range, with a step of one: interleaved segments. See_Also: range2.d/segment. TODO: add an optional step argument? Example: ---- int[] r1 = [0,1,2,3]; int[] r2 = []; assert(some!"a>0"(r1)); assert(!some!"a>3"(r1)); assert(!some!"a>0"(r2)); // empty range: no element can verify the predicate assert(some!"a<b"(r1)); // Increasing range assert(!some!"b<a"(r1)); assert(!some!"a<f"(r1)); // 6-args function -> no match -> some is false assert(some!"true"(r1)); // degenerate case: nullary predicate. assert(!some!"false"(r1)); ---- */ bool some(alias pred, R)(R range) if (isForwardRange!R && arity!pred == 1){ alias unaryFun!pred predicate; foreach(elem; range) {if (predicate(elem)) return true;} return false; } bool some(alias pred, R)(R range) if (isForwardRange!R && arity!pred > 1){ auto sr = segment!(arity!pred)(range); alias Prepare!(pred, TypeNuple!(Unqual!(ElementType!R), arity!pred)) predicate; foreach(elem; sr) {if (predicate(elem)) return true;} return false; } // degenerate case. Might be useful if pred is generated by a template and leads to a nullary function bool some(alias pred, R)(R range) if (isForwardRange!R && arity!pred == 0){ return naryFun!pred(); } unittest { int[] r1 = [0,1,2,3]; int[] r2 = []; assert(some!"a>0"(r1)); assert(!some!"a>3"(r1)); assert(!some!"a>0"(r2)); // empty range: no element can verify the predicate assert(some!"a<b"(r1)); // Increasing range assert(!some!"b<a"(r1)); assert(!some!"a<f"(r1)); // 6-args function -> no match -> some is false assert(some!"true"(r1)); // degenerate case: nullary predicate. assert(!some!"false"(r1)); } /** Is true if all elements in range verify the predicate pred. False otherwise. Typically, it's used with a unary (1-arg) predicate, but it accepts predicates of any arity. If the predicate is a n-args function (n>1), it will be presented with n-elements 'segments' of the range, with a step of one: interleaved segments. See_Also: range2.d/segment. TODO: add an optional step argument? ---- int[] r1 = [0,1,2,3]; int[] r2 = []; assert(all!"a>=0"(r1)); assert(!all!"a>0"(r1)); assert(all!"a>0"(r2)); // empty range: any property is verified by the (inexistent) elements assert(all!"a<b"(r1)); // Binary function. Tests for an increasing range assert(!all!"b<a"(r1)); assert(all!"a<f"(r1)); // 6-args function -> no match -> empty segment range -> all is true assert(all!"true"(r1)); // degenerate case: nullary predicate. assert(!all!"false"(r1)); ---- */ bool all(alias pred, R)(R range) if (isForwardRange!R && arity!pred == 1) { alias unaryFun!pred predicate; foreach(elem; range) {if (!predicate(elem)) return false;} return true; } bool all(alias pred, R)(R range) if (isForwardRange!R && arity!pred > 1) { auto sr = segment!(arity!pred)(range); alias Prepare!(pred, TypeNuple!(Unqual!(ElementType!R), arity!pred)) predicate; foreach(elem; sr) {if (!predicate(elem)) return false;} return true; } // degenerate case: a nullary predicate (ie: always false or always true) bool all(alias pred, R)(R range) if (isForwardRange!R && arity!pred == 0) { return naryFun!pred(); } unittest { int[] r1 = [0,1,2,3]; int[] r2 = []; assert(all!"a>=0"(r1)); assert(!all!"a>0"(r1)); assert(all!"a>0"(r2)); // empty range: any property is verified by the (inexistent) elements assert(all!"a<b"(r1)); // Binary function. Tests for an increasing range assert(!all!"b<a"(r1)); assert(all!"a<f"(r1)); // 6-args function -> no match -> empty segment range -> all is true assert(all!"true"(r1)); // degenerate case: nullary predicate. assert(!all!"false"(r1)); } /** A bunch of small one-liners, using all. Their names may be subject to change, as I don't like them much. The tests are (respectively): "a<b", "a<=b", "a>b","a>=b", "a==b" and "a!=b". */ bool isStrictlyIncreasing(R)(R range) if (isForwardRange!R) { return all!"a<b"(range); } /// ditto bool isIncreasing(R)(R range) if (isForwardRange!R) { return all!"a<=b"(range); } /// ditto bool isStrictlyDecreasing(R)(R range) if (isForwardRange!R) { return all!"a>b"(range); } /// ditto bool isDecreasing(R)(R range) if (isForwardRange!R) { return all!"a>=b"(range); } /// ditto bool isConstant(R)(R range) if (isForwardRange!R) { return all!"a==b"(range); } /// ditto bool hasNoPair(R)(R range) if (isForwardRange!R) { return all!"a!=b"(range); } /** Return: true iff all the range elements are different (as tested with inclusion in an associative array). TODO: Maybe another version with an aliased predicate? I don't know how to use an AA in this case, so that would be much slower. But that would allow using approxEqual on floating point elements. */ bool allDifferent(R)(R range) if (isInputRange!R) { bool[ElementType!R] aa; foreach(elem; range) { if (elem in aa) { return false; } else { aa[elem] = true; } } return true; } unittest { auto r1 = [0,1,2,3,4,5]; auto r2 = [0,1,2,3,3,3]; auto r3 = [0,0,0,0,0,0]; assert(isStrictlyIncreasing(r1)); assert(isIncreasing(r1)); assert(!isStrictlyIncreasing(r2)); assert(isIncreasing(r2)); assert(isStrictlyDecreasing(retro(r1))); assert(isDecreasing(retro(r1))); assert(!isStrictlyDecreasing(retro(r2))); assert(isDecreasing(retro(r2))); assert(isConstant(r3)); assert(!isConstant(r1)); assert(hasNoPair(r1)); assert(!hasNoPair(r2)); assert(allDifferent(r1)); assert(!allDifferent(r2)); int[] e; // Empty range: its (inexistent) elements have all the possible properties assert(isStrictlyIncreasing(e)); assert(isIncreasing(e)); assert(isStrictlyDecreasing(e)); assert(isDecreasing(e)); assert(isConstant(e)); assert(hasNoPair(e)); assert(allDifferent(e)); } /+ Cannot work with naryFun!fun -> it creates a templated function, no return type template isPredicate(alias fun) { enum bool isPredicate = isFunction!fun && is(ReturnType!(naryFun!fun) == bool); } +/ /** Is true iff some ranges in the variadic list ranges are empty. False otherwise. */ bool someEmpty(R...)(R ranges) { foreach(i, r; ranges) {if (ranges[i].empty) return true;} return false; } /** If true iff all ranges are empty. */ bool allEmpty(R...)(R ranges) { foreach(r; ranges) {if (!r.empty) return false;} return true; } /** Given a variadic list of ranges, returns true iff all _ranges in ranges verify pred. The difference with std.traits.allSatisfy is that the latter act on types, whereas allVerify act on instances (values, whatever). The difference with 'all' is that 'all' acts on one range, and tests the predicate on the range's elements. Example: ---- int[] r1 = [0,1,2]; string r2 = "abc"; assert(allVerify!"a.length > 2"(r1,r2)); ---- */ bool allVerify(alias pred, R...)(R ranges) if (allSatisfy!(isInputRange, R)){ alias naryFun!pred predicate; foreach(i, Unused; R) {if (!predicate(ranges[i])) return false;} return true; } unittest { int[] r1 = [0,1,2]; string r2 = "abc"; assert(allVerify!"a.length > 2"(r1,r2)); } /** Given a variadic list of ranges, returns true iff some (at least one) _ranges in ranges verify the predicate pred. Example: ---- int[] r1 = [0,1,2]; string r2 = "abcde"; assert(someVerify!"a.length > 4"(r2)); ---- */ bool someVerify(alias pred, R...)(R ranges) if (allSatisfy!(isInputRange, R)){ alias naryFun!pred predicate; foreach(elem; ranges) {if (predicate(elem)) return true;} return false; } unittest { int[] r1 = [0,1,2]; string r2 = "abcde"; assert(someVerify!"a.length > 4"(r2)); } /* template sameLength(R...) if (allSatisfy!(hasLength, R)) { static if (R.length < 2) // 1 or 0 range enum bool sameLength = true; else enum bool sameLength = haveLength!(R[0].length, R[1..$]); } template haveLength(size_t l, R...) if (allSatisfy!(hasLength, R)) { static if (R.length == 0) enum bool haveLength = true; else enum bool haveLength = (R[0].length == l) && haveLength!(l, R[1..$]); } */ /** Returns true iff element is one of the elements of range. Used as a predicate to find a subrange inside another range: dropWhile!(isOneOf!"abc")(r1) It may never terminate if range is infinite, but as an optimization, isOneOf detects Cycle!U and works only on the cycle internal range. See_Also: contains, in algorithm2.d. Maybe I could define one with another... Example: ---- string s = "01212345"; auto m = map!(isOneOf!"012")(s); assert(equal(m, [true,true,true,true,true,false,false,false][])); auto c = cycle("012"); auto m2 = map!(isOneOf!c)(s); // doesn't hang, as it's equivalent to isOneOf!"012" assert(equal(m2, m)); ---- */ bool isOneOf(alias range)(Unqual!(ElementType!(typeof(range))) element) { static if (is(typeof(range) R1 == Cycle!U, U)) { return some!(equals!(element, Unqual!(ElementType!U)))(range._original); } else { return some!(equals!(element, Unqual!(ElementType!(typeof(range)))))(range); } } unittest { string s = "01212345"; auto m = map!(isOneOf!"012")(s); assert(equal(m, [true,true,true,true,true,false,false,false][])); auto c = cycle("012"); auto m2 = map!(isOneOf!c)(s); // doesn't hang, as it's equivalent to isOneOf!"012" assert(equal(m2, m)); } bool delegate(ElementType!R) isOneOf(R)(R range) if (isInputRange!R) { auto r = array(range); sort(r); return (ElementType!R e) { return !find(assumeSorted(r), e).empty;}; } bool delegate(ElementType!R) isNotIn(R)(R range) if (isInputRange!R) { auto r = array(range); sort(r); return (ElementType!R e) { return find(assumeSorted(r), e).empty;}; } /** Returns true iff if all values in the variadic list vals are equal. Examples: ---- assert(allEqual(1,1.0,1.0000,1)); // The values are automatically converted assert(allEqual(1)); // one element, always true. assert(allEqual()); // no element, always true. assert(!allEqual(1,2)); ---- */ bool allEqual(T...)(T vals) { foreach(i, elem; T[0..$]) if (vals[i] != vals[0]) return false; return true; } unittest { assert(allEqual(1,1.0,1.0000,1)); // The values are automatically converted assert(allEqual(1)); // one element, always true. assert(allEqual()); // no element, always true. assert(!allEqual(1,2)); } /** Returns true if t equals value. If value and t don't have compatible types, it returns false. Example: ---- int[] r = [0,1,0,1,2,0,3]; assert(equals!0(r.front)); auto m = map!(equals!(0,int))(r); assert(equal(m, [true,false,true,false,false,true,false][])); assert(!equals!"a"(r.front)); ---- */ bool equals(alias value, T)(T t) { static if (!is(CommonType!(typeof(value), T) == void)) return t == value; else return false; } unittest { int[] r = [0,1,0,1,2,0,3]; assert(equals!0(r.front)); auto m = map!(equals!(0,int))(r); assert(equal(m, [true,false,true,false,false,true,false][])); assert(!equals!"a"(r.front)); } /** curried form of equals. */ bool delegate(T) equals(T)(T t) { return (T t2) { return t2 == t;}; } /** Small simple predicates on integral types. */ bool isOdd(T)(T t) if (isIntegral!T) { return t%2 == 1;} /// ditto bool isEven(T)(T t) if (isIntegral!T) { return t%2 == 0;} /** Takes a predicate and inverts it. It's an attempt to get 'std.functional.not' to work. I've had some difficulties to use it in filters. See_Also: separate, in algorithm2.d. Example: ---- int[] r = [0,1,2,3,4,5]; auto f1 = filter!isOdd(r); auto f2 = filter!(Not!isEven)(r); assert(equal(f1,f2)); ---- */ template Not(alias fun) { bool Not(T)(T t) { return !(naryFun!fun(t)); } } unittest { int[] r = [0,1,2,3,4,5]; auto f1 = filter!isOdd(r); auto f2 = filter!(Not!isEven)(r); assert(equal(f1,f2)); } /// struct Nub(T) { bool[T] values; bool opCall(T t) { if (t in values) { return false; } else { values[t] = true; return true; } } } /// ditto Nub!T nub(T)() { Nub!T n; return n; }
D
module intents.togglestandby; import openwebif.api; import ask.ask; import texts; import openwebifbaseintent; /// final class IntentToggleStandby : OpenWebifBaseIntent { /// this(OpenWebifApi api) { super(api); } /// override AlexaResult onIntent(AlexaEvent, AlexaContext) { AlexaResult result; PowerState res; try res = apiClient.powerstate(0); catch (Exception e) return returnError(e); result.response.card.title = getText(TextId.StandbyCardTitle); result.response.outputSpeech.type = AlexaOutputSpeech.Type.SSML; result.response.outputSpeech.ssml = getText(TextId.StandbyFailedSSML); if (res.result && res.instandby) result.response.outputSpeech.ssml = getText(TextId.BoxStartedSSML); else if (res.result && !res.instandby) result.response.outputSpeech.ssml = getText(TextId.StandbySSML); result.response.card.content = removeTags(result.response.outputSpeech.ssml); return result; } }
D
void main() { import std.stdio, std.string, std.conv, std.algorithm; long a, b; rd(a, b); long f(long _n) { int[] n; do { n = _n % 10 ~ n; _n /= 10; } while (_n); auto memog = new long[][][][](n.length + 1, 2, 10, n.length + 1); afill(memog, -1L); long g(size_t i, bool less, int prev, int count12) { if (i == n.length) { return count12; } else { if (memog[i][less][prev][count12] >= 0) { return memog[i][less][prev][count12]; } long ret = 0; auto digit = less ? 9 : n[i]; for (int d = 0; d <= digit; d++) { auto l = less || (d < digit); auto p = d; auto c12 = count12 + (i > 0 && prev == 1 && d == 2); ret += g(i + 1, l, p, c12); } return memog[i][less][prev][count12] = ret; } } auto memoh = new long[][][][](n.length + 1, 2, 10, 10); afill(memoh, -1L); long h(size_t i, bool less, int first, int last) { if (i == n.length) { return first == 2 && last == 2; } else { if (memoh[i][less][first][last] >= 0) { return memoh[i][less][first][last]; } long ret = 0; auto digit = less ? 9 : n[i]; for (int d = 0; d <= digit; d++) { auto l = less || (d < digit); auto fi = first == 0 && d > 0 ? d : first; auto la = d; ret += h(i + 1, l, fi, la); } return memoh[i][less][first][last] = ret; } } return g(0, 0, 0, 0) + h(0, 0, 0, 0); } auto res = f(b) - f(a - 1); { auto last = a % 10, first = -1; while (a) { first = a % 10; a /= 10; } if (first == 2 && last == 2) { res--; } } writeln(res); } void afill(Range, Type)(Range r, Type value) { static if (is(typeof(r) == Type[])) { foreach (ref elem; r) elem = value; } else { foreach (ref arr; r) afill(arr, value); } } void rd(T...)(ref T x) { import std.stdio : readln; import std.string : split; import std.conv : to; auto l = readln.split; assert(l.length == x.length); foreach (i, ref e; x) e = l[i].to!(typeof(e)); }
D
module std.database.freetds.database; pragma(lib, "sybdb"); import std.database.common; import std.database.exception; import std.database.source; import std.database.freetds.bindings; import std.string; import core.stdc.stdlib; import std.conv; import std.typecons; import std.container.array; import std.experimental.logger; public import std.database.allocator; import std.database.front; import std.datetime; struct DefaultPolicy { alias Allocator = MyMallocator; } alias Database(T) = BasicDatabase!(Driver!T,T); auto createDatabase()(string defaultURI="") { return Database!DefaultPolicy(defaultURI); } struct Driver(Policy) { alias Allocator = Policy.Allocator; alias Cell = BasicCell!(Driver!Policy,Policy); private static bool isError(RETCODE ret) { return ret != SUCCEED && ret != REG_ROW && ret != NO_MORE_ROWS && ret != NO_MORE_RESULTS; } static T* check(T)(string msg, T* object) { info(msg); if (object == null) throw new DatabaseException("error: " ~ msg); return object; } static RETCODE check(string msg, RETCODE ret) { info(msg, " : ", ret); if (isError(ret)) throw new DatabaseException("error: " ~ msg); return ret; } struct Database { alias queryVariableType = QueryVariableType.QuestionMark; static const FeatureArray features = [ //Feature.InputBinding, //Feature.DateBinding, //Feature.ConnectionPool, ]; Allocator allocator; this(string defaultURI_) { info("Database"); allocator = Allocator(); check("dbinit", dbinit()); dberrhandle(&errorHandler); dbmsghandle(&msgHandler); } ~this() { info("~Database"); //dbexit(); // should this be called (only on process exit?) } static extern(C) int errorHandler( DBPROCESS* dbproc, int severity, int dberr, int oserr, char *dberrstr, char *oserrstr) { auto con = cast(Connection *) dbgetuserdata(dbproc); if (con) { con.error.message = to!string(dberrstr); } info("error: ", "severity: ", severity, ", db error: ", to!string(dberrstr), ", os error: ", to!string(oserrstr)); return INT_CANCEL; } static extern(C) int msgHandler( DBPROCESS *dbproc, DBINT msgno, int msgstate, int severity, char *msgtext, char *srvname, char *procname, int line) { auto con = cast(Connection *) dbgetuserdata(dbproc); if (con) {} info("msg: ", to!string(msgtext), ", severity:", severity); return 0; } } struct Connection { Database* db; Source source; LOGINREC *login; DBPROCESS *con; DatabaseError error; this(Database* db_, Source source_) { db = db_; source = source_; //info("Connection: "); login = check("dblogin", dblogin()); check("dbsetlname", dbsetlname(login, toStringz(source.username), DBSETUSER)); check("dbsetlname", dbsetlname(login, toStringz(source.password), DBSETPWD)); // if host is present, then specify server as direct host:port // otherwise just past a name for freetds name lookup string server; if (source.host.length != 0) { server = source.host ~ ":" ~ to!string(source.port); } else { server = source.server; } //con = dbopen(login, toStringz(source.server)); con = check("tdsdbopen: " ~ server, tdsdbopen(login, toStringz(server), 1)); dbsetuserdata(con, cast(BYTE*) &this); check("dbuse", dbuse(con, toStringz(source.database))); } ~this() { //info("~Connection: ", source); if (con) dbclose(con); if (login) dbloginfree(login); } } struct Statement { Connection* con; string sql; Allocator *allocator; int binds; //Array!Bind inputbind_; this(Connection* con_, string sql_) { info("Statement"); con = con_; sql = sql_; allocator = &con.db.allocator; } ~this() { info("~Statement"); } void prepare() { check("dbcmd: " ~ sql, dbcmd(con.con, toStringz(sql))); } void query() { RETCODE status = check("dbsqlexec: ", dbsqlexec(con.con)); } void query(X...) (X args) { bindAll(args); query(); } private void bindAll(T...) (T args) { //int col; //foreach (arg; args) bind(++col, arg); } void bind(int n, int value) {} void bind(int n, const char[] value) {} void reset() { } private RETCODE check(string msg, RETCODE ret) { info(msg, " : ", ret); if (isError(ret)) throw new DatabaseException(con.error, msg); return ret; } } struct Describe { char *name; char *buffer; int type; int size; int status; } struct Bind { ValueType type; int bindType; int size; void[] data; DBINT status; } struct Result { //int columns() {return columns;} Statement* stmt; Allocator *allocator; int columns; Array!Describe describe; Array!Bind bind; RETCODE status; private auto con() {return stmt.con;} private auto dbproc() {return con.con;} this(Statement* stmt_, int rowArraySize_) { stmt = stmt_; allocator = stmt.allocator; status = check("dbresults", dbresults(dbproc)); if (!hasResult()) return; columns = dbnumcols(dbproc); info("COLUMNS:", columns); //if (!columns) return; build_describe(); build_bind(); } ~this() { foreach(b; bind) allocator.deallocate(b.data); } void build_describe() { describe.reserve(columns); for(int i = 0; i < columns; ++i) { int c = i+1; describe ~= Describe(); auto d = &describe.back(); d.name = dbcolname(dbproc, c); d.type = dbcoltype(dbproc, c); d.size = dbcollen(dbproc, c); info("NAME: ", to!string(d.name), ", type: ", d.type); } } void build_bind() { import core.memory : GC; bind.reserve(columns); for(int i = 0; i < columns; ++i) { int c = i+1; bind ~= Bind(); auto b = &bind.back(); auto d = &describe[i]; int allocSize; switch (d.type) { case SYBCHAR: b.type = ValueType.String; b.size = 255; allocSize = b.size+1; b.bindType = NTBSTRINGBIND; break; case SYBMSDATE: b.type = ValueType.Date; b.size = DBDATETIME.sizeof; allocSize = b.size; b.bindType = DATETIMEBIND; break; default: b.type = ValueType.String; b.size = 255; allocSize = b.size+1; b.bindType = NTBSTRINGBIND; break; } b.data = allocator.allocate(allocSize); // make consistent acros dbs GC.addRange(b.data.ptr, b.data.length); check("dbbind", dbbind( dbproc, c, b.bindType, cast(DBINT) b.data.length, cast(BYTE*) b.data.ptr)); check("dbnullbind", dbnullbind(dbproc, c, &b.status)); info( "output bind: index: ", i, ", type: ", b.bindType, ", size: ", b.size, ", allocSize: ", b.data.length); } } bool hasResult() {return status != NO_MORE_RESULTS;} int fetch() { status = check("dbnextrow", dbnextrow(dbproc)); if (status == REG_ROW) { return 1; } else if (status == NO_MORE_ROWS) { stmt.reset(); return 0; } return 0; } auto get(X:string)(Cell* cell) { import core.stdc.string: strlen; checkType(cell.bind.bindType, NTBSTRINGBIND); auto ptr = cast(immutable char*) cell.bind.data.ptr; return cast(string) ptr[0..strlen(ptr)]; } auto get(X:int)(Cell* cell) { //if (b.bindType == SQL_C_CHAR) return to!int(as!string()); // tmp hack //checkType(b.bindType, SQL_C_LONG); //return *(cast(int*) b.data); return 0; } auto get(X:Date)(Cell* cell) { auto ptr = cast(DBDATETIME*) cell.bind.data.ptr; DBDATEREC d; check("dbdatecrack", dbdatecrack(dbproc, &d, ptr)); return Date(d.year, d.month, d.day); } void checkType(int a, int b) { if (a != b) throw new DatabaseException("type mismatch"); } } }
D
E: c25, c8, c7, c11, c88, c94, c95, c60, c86, c9, c83, c51, c0, c97, c78, c15, c40, c82, c12, c35, c81, c99, c46, c22, c41, c57, c68, c21, c42, c49, c4, c62, c10, c19, c85, c70, c43, c98, c18, c38, c31, c69, c50, c63. p6(E,E) c25,c8 c97,c78 c94,c88 c0,c62 c19,c85 c4,c8 c57,c83 c82,c12 c18,c18 c86,c9 c78,c35 c35,c81 c35,c68 c11,c4 c22,c22 c83,c98 . p7(E,E) c7,c11 c95,c25 c95,c60 c15,c40 c22,c41 c21,c83 c99,c22 c94,c57 c15,c10 c70,c43 c22,c78 c38,c18 c94,c83 c95,c0 c95,c35 c70,c4 c51,c0 c83,c4 c99,c46 c95,c42 c70,c19 c70,c69 c51,c63 c49,c97 c95,c50 c49,c31 c41,c94 . p4(E,E) c88,c94 c83,c57 c78,c97 c8,c4 c62,c0 c85,c19 c35,c78 c68,c35 c18,c18 c4,c11 c98,c83 c8,c25 c22,c22 . p10(E,E) c86,c9 c35,c81 c35,c68 c94,c88 c0,c62 c25,c8 c57,c83 c22,c22 c82,c12 c78,c35 c97,c78 c83,c98 . p9(E,E) c94,c83 c51,c0 c95,c25 c99,c46 c22,c78 c95,c42 c49,c97 c15,c10 c95,c35 c70,c43 c49,c31 c70,c19 c15,c40 c70,c69 c94,c57 c22,c41 c95,c50 c95,c0 c70,c4 c95,c60 c99,c22 c51,c63 . p5(E,E) c82,c12 c25,c8 c35,c68 c22,c22 c86,c9 c83,c98 c94,c88 c78,c35 c97,c78 c0,c62 c35,c81 c57,c83 .
D
/Users/liujianhao/code/rust/simple_web_app/simple_web_app/target/debug/deps/awc-df8917961aecf7ba.rmeta: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/lib.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/builder.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/connect.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/error.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/frozen.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/request.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/response.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/sender.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/test.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/ws.rs /Users/liujianhao/code/rust/simple_web_app/simple_web_app/target/debug/deps/libawc-df8917961aecf7ba.rlib: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/lib.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/builder.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/connect.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/error.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/frozen.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/request.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/response.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/sender.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/test.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/ws.rs /Users/liujianhao/code/rust/simple_web_app/simple_web_app/target/debug/deps/awc-df8917961aecf7ba.d: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/lib.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/builder.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/connect.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/error.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/frozen.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/request.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/response.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/sender.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/test.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/ws.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/lib.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/builder.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/connect.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/error.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/frozen.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/request.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/response.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/sender.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/test.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/awc-0.2.8/src/ws.rs:
D
/** * Compiler implementation of the * $(LINK2 http://www.dlang.org, D programming language). * * Copyright: Copyright (c) 1999-2016 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 _statementsem.d) */ module ddmd.statementsem; import core.stdc.stdio; import ddmd.aggregate; import ddmd.aliasthis; import ddmd.arrayop; import ddmd.arraytypes; import ddmd.clone; import ddmd.cond; import ddmd.dcast; import ddmd.dclass; import ddmd.declaration; import ddmd.denum; import ddmd.dimport; import ddmd.dinterpret; import ddmd.dmodule; import ddmd.dscope; import ddmd.dsymbol; import ddmd.dtemplate; import ddmd.errors; import ddmd.escape; import ddmd.expression; import ddmd.func; import ddmd.globals; import ddmd.gluelayer; import ddmd.id; import ddmd.identifier; import ddmd.init; import ddmd.intrange; import ddmd.mtype; import ddmd.nogc; import ddmd.opover; import ddmd.sideeffect; import ddmd.statement; import ddmd.target; import ddmd.tokens; import ddmd.visitor; private extern (C++) final class StatementSemanticVisitor : Visitor { alias visit = super.visit; Statement result; Scope* sc; this(Scope* sc) { this.sc = sc; } private void setError() { result = new ErrorStatement(); } override void visit(Statement s) { result = s; } override void visit(ErrorStatement s) { result = s; } override void visit(PeelStatement s) { /* "peel" off this wrapper, and don't run semantic() * on the result. */ result = s.s; } override void visit(ExpStatement s) { if (s.exp) { //printf("ExpStatement::semantic() %s\n", exp.toChars()); // Allow CommaExp in ExpStatement because return isn't used CommaExp.allow(s.exp); s.exp = s.exp.semantic(sc); s.exp = resolveProperties(sc, s.exp); s.exp = s.exp.addDtorHook(sc); if (checkNonAssignmentArrayOp(s.exp)) s.exp = new ErrorExp(); if (auto f = isFuncAddress(s.exp)) { if (f.checkForwardRef(s.exp.loc)) s.exp = new ErrorExp(); } discardValue(s.exp); s.exp = s.exp.optimize(WANTvalue); s.exp = checkGC(sc, s.exp); if (s.exp.op == TOKerror) return setError(); } result = s; } override void visit(CompileStatement cs) { //printf("CompileStatement::semantic() %s\n", exp->toChars()); Statements* a = cs.flatten(sc); if (!a) return; Statement s = new CompoundStatement(cs.loc, a); result = s.semantic(sc); } override void visit(CompoundStatement cs) { //printf("CompoundStatement::semantic(this = %p, sc = %p)\n", cs, sc); version (none) { foreach (i, s; cs.statements) { if (s) printf("[%d]: %s", i, s.toChars()); } } for (size_t i = 0; i < cs.statements.dim;) { Statement s = (*cs.statements)[i]; if (s) { Statements* flt = s.flatten(sc); if (flt) { cs.statements.remove(i); cs.statements.insert(i, flt); continue; } s = s.semantic(sc); (*cs.statements)[i] = s; if (s) { Statement sentry; Statement sexception; Statement sfinally; (*cs.statements)[i] = s.scopeCode(sc, &sentry, &sexception, &sfinally); if (sentry) { sentry = sentry.semantic(sc); cs.statements.insert(i, sentry); i++; } if (sexception) sexception = sexception.semantic(sc); if (sexception) { if (i + 1 == cs.statements.dim && !sfinally) { } else { /* Rewrite: * s; s1; s2; * As: * s; * try { s1; s2; } * catch (Throwable __o) * { sexception; throw __o; } */ auto a = new Statements(); foreach (j; i + 1 .. cs.statements.dim) { a.push((*cs.statements)[j]); } Statement _body = new CompoundStatement(Loc(), a); _body = new ScopeStatement(Loc(), _body, Loc()); Identifier id = Identifier.generateId("__o"); Statement handler = new PeelStatement(sexception); if (sexception.blockExit(sc.func, false) & BEfallthru) { auto ts = new ThrowStatement(Loc(), new IdentifierExp(Loc(), id)); ts.internalThrow = true; handler = new CompoundStatement(Loc(), handler, ts); } auto catches = new Catches(); auto ctch = new Catch(Loc(), getThrowable(), id, handler); ctch.internalCatch = true; catches.push(ctch); s = new TryCatchStatement(Loc(), _body, catches); if (sfinally) s = new TryFinallyStatement(Loc(), s, sfinally); s = s.semantic(sc); cs.statements.setDim(i + 1); cs.statements.push(s); break; } } else if (sfinally) { if (0 && i + 1 == cs.statements.dim) { cs.statements.push(sfinally); } else { /* Rewrite: * s; s1; s2; * As: * s; try { s1; s2; } finally { sfinally; } */ auto a = new Statements(); foreach (j; i + 1 .. cs.statements.dim) { a.push((*cs.statements)[j]); } Statement _body = new CompoundStatement(Loc(), a); s = new TryFinallyStatement(Loc(), _body, sfinally); s = s.semantic(sc); cs.statements.setDim(i + 1); cs.statements.push(s); break; } } } else { /* Remove NULL statements from the list. */ cs.statements.remove(i); continue; } } i++; } foreach (i; 0 .. cs.statements.dim) { Lagain: Statement s = (*cs.statements)[i]; if (!s) continue; Statement se = s.isErrorStatement(); if (se) { result = se; return; } /* Bugzilla 11653: 'semantic' may return another CompoundStatement * (eg. CaseRangeStatement), so flatten it here. */ Statements* flt = s.flatten(sc); if (flt) { cs.statements.remove(i); cs.statements.insert(i, flt); if (cs.statements.dim <= i) break; goto Lagain; } } if (cs.statements.dim == 1) { result = (*cs.statements)[0]; return; } result = cs; } override void visit(UnrolledLoopStatement uls) { //printf("UnrolledLoopStatement::semantic(this = %p, sc = %p)\n", uls, sc); Scope* scd = sc.push(); scd.sbreak = uls; scd.scontinue = uls; Statement serror = null; foreach (i, ref s; *uls.statements) { if (s) { //printf("[%d]: %s\n", i, s->toChars()); s = s.semantic(scd); if (s && !serror) serror = s.isErrorStatement(); } } scd.pop(); result = serror ? serror : uls; } override void visit(ScopeStatement ss) { ScopeDsymbol sym; //printf("ScopeStatement::semantic(sc = %p)\n", sc); if (ss.statement) { sym = new ScopeDsymbol(); sym.parent = sc.scopesym; sym.endlinnum = ss.endloc.linnum; sc = sc.push(sym); Statements* a = ss.statement.flatten(sc); if (a) { ss.statement = new CompoundStatement(ss.loc, a); } ss.statement = ss.statement.semantic(sc); if (ss.statement) { if (ss.statement.isErrorStatement()) { sc.pop(); result = ss.statement; return; } Statement sentry; Statement sexception; Statement sfinally; ss.statement = ss.statement.scopeCode(sc, &sentry, &sexception, &sfinally); assert(!sentry); assert(!sexception); if (sfinally) { //printf("adding sfinally\n"); sfinally = sfinally.semantic(sc); ss.statement = new CompoundStatement(ss.loc, ss.statement, sfinally); } } sc.pop(); } result = ss; } override void visit(WhileStatement ws) { /* Rewrite as a for(;condition;) loop */ Statement s = new ForStatement(ws.loc, null, ws.condition, null, ws._body, ws.endloc); s = s.semantic(sc); result = s; } override void visit(DoStatement ds) { sc.noctor++; if (ds._body) ds._body = ds._body.semanticScope(sc, ds, ds); sc.noctor--; if (ds.condition.op == TOKdotid) (cast(DotIdExp)ds.condition).noderef = true; // check in syntax level ds.condition = checkAssignmentAsCondition(ds.condition); ds.condition = ds.condition.semantic(sc); ds.condition = resolveProperties(sc, ds.condition); if (checkNonAssignmentArrayOp(ds.condition)) ds.condition = new ErrorExp(); ds.condition = ds.condition.optimize(WANTvalue); ds.condition = checkGC(sc, ds.condition); ds.condition = ds.condition.toBoolean(sc); if (ds.condition.op == TOKerror) return setError(); if (ds._body && ds._body.isErrorStatement()) { result = ds._body; return; } result = ds; } override void visit(ForStatement fs) { //printf("ForStatement::semantic %s\n", fs.toChars()); if (fs._init) { /* Rewrite: * for (auto v1 = i1, v2 = i2; condition; increment) { ... } * to: * { auto v1 = i1, v2 = i2; for (; condition; increment) { ... } } * then lowered to: * auto v1 = i1; * try { * auto v2 = i2; * try { * for (; condition; increment) { ... } * } finally { v2.~this(); } * } finally { v1.~this(); } */ auto ainit = new Statements(); ainit.push(fs._init); fs._init = null; ainit.push(fs); Statement s = new CompoundStatement(fs.loc, ainit); s = new ScopeStatement(fs.loc, s, fs.endloc); s = s.semantic(sc); if (!s.isErrorStatement()) { if (LabelStatement ls = checkLabeledLoop(sc, fs)) ls.gotoTarget = fs; fs.relatedLabeled = s; } result = s; return; } assert(fs._init is null); auto sym = new ScopeDsymbol(); sym.parent = sc.scopesym; sym.endlinnum = fs.endloc.linnum; sc = sc.push(sym); sc.noctor++; if (fs.condition) { if (fs.condition.op == TOKdotid) (cast(DotIdExp)fs.condition).noderef = true; // check in syntax level fs.condition = checkAssignmentAsCondition(fs.condition); fs.condition = fs.condition.semantic(sc); fs.condition = resolveProperties(sc, fs.condition); if (checkNonAssignmentArrayOp(fs.condition)) fs.condition = new ErrorExp(); fs.condition = fs.condition.optimize(WANTvalue); fs.condition = checkGC(sc, fs.condition); fs.condition = fs.condition.toBoolean(sc); } if (fs.increment) { CommaExp.allow(fs.increment); fs.increment = fs.increment.semantic(sc); fs.increment = resolveProperties(sc, fs.increment); if (checkNonAssignmentArrayOp(fs.increment)) fs.increment = new ErrorExp(); fs.increment = fs.increment.optimize(WANTvalue); fs.increment = checkGC(sc, fs.increment); } sc.sbreak = fs; sc.scontinue = fs; if (fs._body) fs._body = fs._body.semanticNoScope(sc); sc.noctor--; sc.pop(); if (fs.condition && fs.condition.op == TOKerror || fs.increment && fs.increment.op == TOKerror || fs._body && fs._body.isErrorStatement()) return setError(); result = fs; } override void visit(ForeachStatement fs) { //printf("ForeachStatement::semantic() %p\n", fs); ScopeDsymbol sym; Statement s = fs; auto loc = fs.loc; size_t dim = fs.parameters.dim; TypeAArray taa = null; Dsymbol sapply = null; Type tn = null; Type tnv = null; fs.func = sc.func; if (fs.func.fes) fs.func = fs.func.fes.func; VarDeclaration vinit = null; fs.aggr = fs.aggr.semantic(sc); fs.aggr = resolveProperties(sc, fs.aggr); fs.aggr = fs.aggr.optimize(WANTvalue); if (fs.aggr.op == TOKerror) return setError(); Expression oaggr = fs.aggr; if (fs.aggr.type && fs.aggr.type.toBasetype().ty == Tstruct && (cast(TypeStruct)(fs.aggr.type.toBasetype())).sym.dtor && fs.aggr.op != TOKtype && !fs.aggr.isLvalue()) { // Bugzilla 14653: Extend the life of rvalue aggregate till the end of foreach. vinit = copyToTemp(STCrvalue, "__aggr", fs.aggr); vinit.endlinnum = fs.endloc.linnum; vinit.semantic(sc); fs.aggr = new VarExp(fs.aggr.loc, vinit); } if (!inferAggregate(fs, sc, sapply)) { const(char)* msg = ""; if (fs.aggr.type && isAggregate(fs.aggr.type)) { msg = ", define opApply(), range primitives, or use .tupleof"; } fs.error("invalid foreach aggregate %s%s", oaggr.toChars(), msg); return setError(); } Dsymbol sapplyOld = sapply; // 'sapply' will be NULL if and after 'inferApplyArgTypes' errors /* Check for inference errors */ if (!inferApplyArgTypes(fs, sc, sapply)) { /** Try and extract the parameter count of the opApply callback function, e.g.: int opApply(int delegate(int, float)) => 2 args */ bool foundMismatch = false; size_t foreachParamCount = 0; if (sapplyOld) { if (FuncDeclaration fd = sapplyOld.isFuncDeclaration()) { int fvarargs; // ignored (opApply shouldn't take variadics) Parameters* fparameters = fd.getParameters(&fvarargs); if (Parameter.dim(fparameters) == 1) { // first param should be the callback function Parameter fparam = Parameter.getNth(fparameters, 0); if ((fparam.type.ty == Tpointer || fparam.type.ty == Tdelegate) && fparam.type.nextOf().ty == Tfunction) { TypeFunction tf = cast(TypeFunction)fparam.type.nextOf(); foreachParamCount = Parameter.dim(tf.parameters); foundMismatch = true; } } } } //printf("dim = %d, parameters->dim = %d\n", dim, parameters->dim); if (foundMismatch && dim != foreachParamCount) { const(char)* plural = foreachParamCount > 1 ? "s" : ""; fs.error("cannot infer argument types, expected %d argument%s, not %d", foreachParamCount, plural, dim); } else fs.error("cannot uniquely infer foreach argument types"); return setError(); } Type tab = fs.aggr.type.toBasetype(); if (tab.ty == Ttuple) // don't generate new scope for tuple loops { if (dim < 1 || dim > 2) { fs.error("only one (value) or two (key,value) arguments for tuple foreach"); return setError(); } Type paramtype = (*fs.parameters)[dim - 1].type; if (paramtype) { paramtype = paramtype.semantic(loc, sc); if (paramtype.ty == Terror) return setError(); } TypeTuple tuple = cast(TypeTuple)tab; auto statements = new Statements(); //printf("aggr: op = %d, %s\n", fs.aggr->op, fs.aggr->toChars()); size_t n; TupleExp te = null; if (fs.aggr.op == TOKtuple) // expression tuple { te = cast(TupleExp)fs.aggr; n = te.exps.dim; } else if (fs.aggr.op == TOKtype) // type tuple { n = Parameter.dim(tuple.arguments); } else assert(0); foreach (j; 0 .. n) { size_t k = (fs.op == TOKforeach) ? j : n - 1 - j; Expression e = null; Type t = null; if (te) e = (*te.exps)[k]; else t = Parameter.getNth(tuple.arguments, k).type; Parameter p = (*fs.parameters)[0]; auto st = new Statements(); if (dim == 2) { // Declare key if (p.storageClass & (STCout | STCref | STClazy)) { fs.error("no storage class for key %s", p.ident.toChars()); return setError(); } p.type = p.type.semantic(loc, sc); TY keyty = p.type.ty; if (keyty != Tint32 && keyty != Tuns32) { if (global.params.isLP64) { if (keyty != Tint64 && keyty != Tuns64) { fs.error("foreach: key type must be int or uint, long or ulong, not %s", p.type.toChars()); return setError(); } } else { fs.error("foreach: key type must be int or uint, not %s", p.type.toChars()); return setError(); } } Initializer ie = new ExpInitializer(Loc(), new IntegerExp(k)); auto var = new VarDeclaration(loc, p.type, p.ident, ie); var.storage_class |= STCmanifest; st.push(new ExpStatement(loc, var)); p = (*fs.parameters)[1]; // value } // Declare value if (p.storageClass & (STCout | STClazy) || p.storageClass & STCref && !te) { fs.error("no storage class for value %s", p.ident.toChars()); return setError(); } Dsymbol var; if (te) { Type tb = e.type.toBasetype(); Dsymbol ds = null; if ((tb.ty == Tfunction || tb.ty == Tsarray) && e.op == TOKvar) ds = (cast(VarExp)e).var; else if (e.op == TOKtemplate) ds = (cast(TemplateExp)e).td; else if (e.op == TOKscope) ds = (cast(ScopeExp)e).sds; else if (e.op == TOKfunction) { auto fe = cast(FuncExp)e; ds = fe.td ? cast(Dsymbol)fe.td : fe.fd; } if (ds) { var = new AliasDeclaration(loc, p.ident, ds); if (p.storageClass & STCref) { fs.error("symbol %s cannot be ref", s.toChars()); return setError(); } if (paramtype) { fs.error("cannot specify element type for symbol %s", ds.toChars()); return setError(); } } else if (e.op == TOKtype) { var = new AliasDeclaration(loc, p.ident, e.type); if (paramtype) { fs.error("cannot specify element type for type %s", e.type.toChars()); return setError(); } } else { p.type = e.type; if (paramtype) p.type = paramtype; Initializer ie = new ExpInitializer(Loc(), e); auto v = new VarDeclaration(loc, p.type, p.ident, ie); if (p.storageClass & STCref) v.storage_class |= STCref | STCforeach; if (e.isConst() || e.op == TOKstring || e.op == TOKstructliteral || e.op == TOKarrayliteral) { if (v.storage_class & STCref) { fs.error("constant value %s cannot be ref", ie.toChars()); return setError(); } else v.storage_class |= STCmanifest; } var = v; } } else { var = new AliasDeclaration(loc, p.ident, t); if (paramtype) { fs.error("cannot specify element type for symbol %s", s.toChars()); return setError(); } } st.push(new ExpStatement(loc, var)); st.push(fs._body.syntaxCopy()); s = new CompoundStatement(loc, st); s = new ScopeStatement(loc, s, fs.endloc); statements.push(s); } s = new UnrolledLoopStatement(loc, statements); if (LabelStatement ls = checkLabeledLoop(sc, fs)) ls.gotoTarget = s; if (te && te.e0) s = new CompoundStatement(loc, new ExpStatement(te.e0.loc, te.e0), s); if (vinit) s = new CompoundStatement(loc, new ExpStatement(loc, vinit), s); s = s.semantic(sc); result = s; return; } sym = new ScopeDsymbol(); sym.parent = sc.scopesym; sym.endlinnum = fs.endloc.linnum; auto sc2 = sc.push(sym); sc2.noctor++; switch (tab.ty) { case Tarray: case Tsarray: { if (fs.checkForArgTypes()) { result = fs; return; } if (dim < 1 || dim > 2) { fs.error("only one or two arguments for array foreach"); goto Lerror2; } /* Look for special case of parsing char types out of char type * array. */ tn = tab.nextOf().toBasetype(); if (tn.ty == Tchar || tn.ty == Twchar || tn.ty == Tdchar) { int i = (dim == 1) ? 0 : 1; // index of value Parameter p = (*fs.parameters)[i]; p.type = p.type.semantic(loc, sc2); p.type = p.type.addStorageClass(p.storageClass); tnv = p.type.toBasetype(); if (tnv.ty != tn.ty && (tnv.ty == Tchar || tnv.ty == Twchar || tnv.ty == Tdchar)) { if (p.storageClass & STCref) { fs.error("foreach: value of UTF conversion cannot be ref"); goto Lerror2; } if (dim == 2) { p = (*fs.parameters)[0]; if (p.storageClass & STCref) { fs.error("foreach: key cannot be ref"); goto Lerror2; } } goto Lapply; } } foreach (i; 0 .. dim) { // Declare parameterss Parameter p = (*fs.parameters)[i]; p.type = p.type.semantic(loc, sc2); p.type = p.type.addStorageClass(p.storageClass); VarDeclaration var; if (dim == 2 && i == 0) { var = new VarDeclaration(loc, p.type.mutableOf(), Identifier.generateId("__key"), null); var.storage_class |= STCtemp | STCforeach; if (var.storage_class & (STCref | STCout)) var.storage_class |= STCnodtor; fs.key = var; if (p.storageClass & STCref) { if (var.type.constConv(p.type) <= MATCHnomatch) { fs.error("key type mismatch, %s to ref %s", var.type.toChars(), p.type.toChars()); goto Lerror2; } } if (tab.ty == Tsarray) { TypeSArray ta = cast(TypeSArray)tab; IntRange dimrange = getIntRange(ta.dim); if (!IntRange.fromType(var.type).contains(dimrange)) { fs.error("index type '%s' cannot cover index range 0..%llu", p.type.toChars(), ta.dim.toInteger()); goto Lerror2; } fs.key.range = new IntRange(SignExtendedNumber(0), dimrange.imax); } } else { var = new VarDeclaration(loc, p.type, p.ident, null); var.storage_class |= STCforeach; var.storage_class |= p.storageClass & (STCin | STCout | STCref | STC_TYPECTOR); if (var.storage_class & (STCref | STCout)) var.storage_class |= STCnodtor; fs.value = var; if (var.storage_class & STCref) { if (fs.aggr.checkModifiable(sc2, 1) == 2) var.storage_class |= STCctorinit; Type t = tab.nextOf(); if (t.constConv(p.type) <= MATCHnomatch) { fs.error("argument type mismatch, %s to ref %s", t.toChars(), p.type.toChars()); goto Lerror2; } } } } /* Convert to a ForStatement * foreach (key, value; a) body => * for (T[] tmp = a[], size_t key; key < tmp.length; ++key) * { T value = tmp[k]; body } * * foreach_reverse (key, value; a) body => * for (T[] tmp = a[], size_t key = tmp.length; key--; ) * { T value = tmp[k]; body } */ auto id = Identifier.generateId("__r"); auto ie = new ExpInitializer(loc, new SliceExp(loc, fs.aggr, null, null)); VarDeclaration tmp; if (fs.aggr.op == TOKarrayliteral && !((*fs.parameters)[dim - 1].storageClass & STCref)) { auto ale = cast(ArrayLiteralExp)fs.aggr; size_t edim = ale.elements ? ale.elements.dim : 0; auto telem = (*fs.parameters)[dim - 1].type; // Bugzilla 12936: if telem has been specified explicitly, // converting array literal elements to telem might make it @nogc. fs.aggr = fs.aggr.implicitCastTo(sc, telem.sarrayOf(edim)); if (fs.aggr.op == TOKerror) goto Lerror2; // for (T[edim] tmp = a, ...) tmp = new VarDeclaration(loc, fs.aggr.type, id, ie); } else tmp = new VarDeclaration(loc, tab.nextOf().arrayOf(), id, ie); tmp.storage_class |= STCtemp; Expression tmp_length = new DotIdExp(loc, new VarExp(loc, tmp), Id.length); if (!fs.key) { Identifier idkey = Identifier.generateId("__key"); fs.key = new VarDeclaration(loc, Type.tsize_t, idkey, null); fs.key.storage_class |= STCtemp; } if (fs.op == TOKforeach_reverse) fs.key._init = new ExpInitializer(loc, tmp_length); else fs.key._init = new ExpInitializer(loc, new IntegerExp(loc, 0, fs.key.type)); auto cs = new Statements(); if (vinit) cs.push(new ExpStatement(loc, vinit)); cs.push(new ExpStatement(loc, tmp)); cs.push(new ExpStatement(loc, fs.key)); Statement forinit = new CompoundDeclarationStatement(loc, cs); Expression cond; if (fs.op == TOKforeach_reverse) { // key-- cond = new PostExp(TOKminusminus, loc, new VarExp(loc, fs.key)); } else { // key < tmp.length cond = new CmpExp(TOKlt, loc, new VarExp(loc, fs.key), tmp_length); } Expression increment = null; if (fs.op == TOKforeach) { // key += 1 increment = new AddAssignExp(loc, new VarExp(loc, fs.key), new IntegerExp(loc, 1, fs.key.type)); } // T value = tmp[key]; IndexExp indexExp = new IndexExp(loc, new VarExp(loc, tmp), new VarExp(loc, fs.key)); indexExp.indexIsInBounds = true; // disabling bounds checking in foreach statements. fs.value._init = new ExpInitializer(loc, indexExp); Statement ds = new ExpStatement(loc, fs.value); if (dim == 2) { Parameter p = (*fs.parameters)[0]; if ((p.storageClass & STCref) && p.type.equals(fs.key.type)) { fs.key.range = null; auto v = new AliasDeclaration(loc, p.ident, fs.key); fs._body = new CompoundStatement(loc, new ExpStatement(loc, v), fs._body); } else { auto ei = new ExpInitializer(loc, new IdentifierExp(loc, fs.key.ident)); auto v = new VarDeclaration(loc, p.type, p.ident, ei); v.storage_class |= STCforeach | (p.storageClass & STCref); fs._body = new CompoundStatement(loc, new ExpStatement(loc, v), fs._body); if (fs.key.range && !p.type.isMutable()) { /* Limit the range of the key to the specified range */ v.range = new IntRange(fs.key.range.imin, fs.key.range.imax - SignExtendedNumber(1)); } } } fs._body = new CompoundStatement(loc, ds, fs._body); s = new ForStatement(loc, forinit, cond, increment, fs._body, fs.endloc); if (auto ls = checkLabeledLoop(sc, fs)) // Bugzilla 15450: don't use sc2 ls.gotoTarget = s; s = s.semantic(sc2); break; } case Taarray: if (fs.op == TOKforeach_reverse) fs.warning("cannot use foreach_reverse with an associative array"); if (fs.checkForArgTypes()) { result = fs; return; } taa = cast(TypeAArray)tab; if (dim < 1 || dim > 2) { fs.error("only one or two arguments for associative array foreach"); goto Lerror2; } goto Lapply; case Tclass: case Tstruct: /* Prefer using opApply, if it exists */ if (sapply) goto Lapply; { /* Look for range iteration, i.e. the properties * .empty, .popFront, .popBack, .front and .back * foreach (e; aggr) { ... } * translates to: * for (auto __r = aggr[]; !__r.empty; __r.popFront()) { * auto e = __r.front; * ... * } */ auto ad = (tab.ty == Tclass) ? cast(AggregateDeclaration)(cast(TypeClass)tab).sym : cast(AggregateDeclaration)(cast(TypeStruct)tab).sym; Identifier idfront; Identifier idpopFront; if (fs.op == TOKforeach) { idfront = Id.Ffront; idpopFront = Id.FpopFront; } else { idfront = Id.Fback; idpopFront = Id.FpopBack; } auto sfront = ad.search(Loc(), idfront); if (!sfront) goto Lapply; /* Generate a temporary __r and initialize it with the aggregate. */ VarDeclaration r; Statement _init; if (vinit && fs.aggr.op == TOKvar && (cast(VarExp)fs.aggr).var == vinit) { r = vinit; _init = new ExpStatement(loc, vinit); } else { r = copyToTemp(0, "__r", fs.aggr); _init = new ExpStatement(loc, r); if (vinit) _init = new CompoundStatement(loc, new ExpStatement(loc, vinit), _init); } // !__r.empty Expression e = new VarExp(loc, r); e = new DotIdExp(loc, e, Id.Fempty); Expression condition = new NotExp(loc, e); // __r.idpopFront() e = new VarExp(loc, r); Expression increment = new CallExp(loc, new DotIdExp(loc, e, idpopFront)); /* Declaration statement for e: * auto e = __r.idfront; */ e = new VarExp(loc, r); Expression einit = new DotIdExp(loc, e, idfront); Statement makeargs, forbody; if (dim == 1) { auto p = (*fs.parameters)[0]; auto ve = new VarDeclaration(loc, p.type, p.ident, new ExpInitializer(loc, einit)); ve.storage_class |= STCforeach; ve.storage_class |= p.storageClass & (STCin | STCout | STCref | STC_TYPECTOR); makeargs = new ExpStatement(loc, ve); } else { auto vd = copyToTemp(STCref, "__front", einit); makeargs = new ExpStatement(loc, vd); Type tfront; if (auto fd = sfront.isFuncDeclaration()) { if (!fd.functionSemantic()) goto Lrangeerr; tfront = fd.type; } else if (auto td = sfront.isTemplateDeclaration()) { Expressions a; if (auto f = resolveFuncCall(loc, sc, td, null, tab, &a, 1)) tfront = f.type; } else if (auto d = sfront.isDeclaration()) { tfront = d.type; } if (!tfront || tfront.ty == Terror) goto Lrangeerr; if (tfront.toBasetype().ty == Tfunction) tfront = tfront.toBasetype().nextOf(); if (tfront.ty == Tvoid) { fs.error("%s.front is void and has no value", oaggr.toChars()); goto Lerror2; } // Resolve inout qualifier of front type tfront = tfront.substWildTo(tab.mod); Expression ve = new VarExp(loc, vd); ve.type = tfront; auto exps = new Expressions(); exps.push(ve); int pos = 0; while (exps.dim < dim) { pos = expandAliasThisTuples(exps, pos); if (pos == -1) break; } if (exps.dim != dim) { const(char)* plural = exps.dim > 1 ? "s" : ""; fs.error("cannot infer argument types, expected %d argument%s, not %d", exps.dim, plural, dim); goto Lerror2; } foreach (i; 0 .. dim) { auto p = (*fs.parameters)[i]; auto exp = (*exps)[i]; version (none) { printf("[%d] p = %s %s, exp = %s %s\n", i, p.type ? p.type.toChars() : "?", p.ident.toChars(), exp.type.toChars(), exp.toChars()); } if (!p.type) p.type = exp.type; p.type = p.type.addStorageClass(p.storageClass).semantic(loc, sc2); if (!exp.implicitConvTo(p.type)) goto Lrangeerr; auto var = new VarDeclaration(loc, p.type, p.ident, new ExpInitializer(loc, exp)); var.storage_class |= STCctfe | STCref | STCforeach; makeargs = new CompoundStatement(loc, makeargs, new ExpStatement(loc, var)); } } forbody = new CompoundStatement(loc, makeargs, fs._body); s = new ForStatement(loc, _init, condition, increment, forbody, fs.endloc); if (auto ls = checkLabeledLoop(sc, fs)) ls.gotoTarget = s; version (none) { printf("init: %s\n", _init.toChars()); printf("condition: %s\n", condition.toChars()); printf("increment: %s\n", increment.toChars()); printf("body: %s\n", forbody.toChars()); } s = s.semantic(sc2); break; Lrangeerr: fs.error("cannot infer argument types"); goto Lerror2; } case Tdelegate: if (fs.op == TOKforeach_reverse) fs.deprecation("cannot use foreach_reverse with a delegate"); Lapply: { if (fs.checkForArgTypes()) { fs._body = fs._body.semanticNoScope(sc2); result = fs; return; } TypeFunction tfld = null; if (sapply) { FuncDeclaration fdapply = sapply.isFuncDeclaration(); if (fdapply) { assert(fdapply.type && fdapply.type.ty == Tfunction); tfld = cast(TypeFunction)fdapply.type.semantic(loc, sc2); goto Lget; } else if (tab.ty == Tdelegate) { tfld = cast(TypeFunction)tab.nextOf(); Lget: //printf("tfld = %s\n", tfld->toChars()); if (tfld.parameters.dim == 1) { Parameter p = Parameter.getNth(tfld.parameters, 0); if (p.type && p.type.ty == Tdelegate) { auto t = p.type.semantic(loc, sc2); assert(t.ty == Tdelegate); tfld = cast(TypeFunction)t.nextOf(); } } } } /* Turn body into the function literal: * int delegate(ref T param) { body } */ auto params = new Parameters(); foreach (i; 0 .. dim) { Parameter p = (*fs.parameters)[i]; StorageClass stc = STCref; Identifier id; p.type = p.type.semantic(loc, sc2); p.type = p.type.addStorageClass(p.storageClass); if (tfld) { Parameter prm = Parameter.getNth(tfld.parameters, i); //printf("\tprm = %s%s\n", (prm->storageClass&STCref?"ref ":""), prm->ident->toChars()); stc = prm.storageClass & STCref; id = p.ident; // argument copy is not need. if ((p.storageClass & STCref) != stc) { if (!stc) { fs.error("foreach: cannot make %s ref", p.ident.toChars()); goto Lerror2; } goto LcopyArg; } } else if (p.storageClass & STCref) { // default delegate parameters are marked as ref, then // argument copy is not need. id = p.ident; } else { // Make a copy of the ref argument so it isn't // a reference. LcopyArg: id = Identifier.generateId("__applyArg", cast(int)i); Initializer ie = new ExpInitializer(Loc(), new IdentifierExp(Loc(), id)); auto v = new VarDeclaration(Loc(), p.type, p.ident, ie); v.storage_class |= STCtemp; s = new ExpStatement(Loc(), v); fs._body = new CompoundStatement(loc, s, fs._body); } params.push(new Parameter(stc, p.type, id, null)); } // Bugzilla 13840: Throwable nested function inside nothrow function is acceptable. StorageClass stc = mergeFuncAttrs(STCsafe | STCpure | STCnogc, fs.func); tfld = new TypeFunction(params, Type.tint32, 0, LINKd, stc); fs.cases = new Statements(); fs.gotos = new ScopeStatements(); auto fld = new FuncLiteralDeclaration(loc, Loc(), tfld, TOKdelegate, fs); fld.fbody = fs._body; Expression flde = new FuncExp(loc, fld); flde = flde.semantic(sc2); fld.tookAddressOf = 0; // Resolve any forward referenced goto's foreach (i; 0 .. fs.gotos.dim) { GotoStatement gs = cast(GotoStatement)(*fs.gotos)[i].statement; if (!gs.label.statement) { // 'Promote' it to this scope, and replace with a return fs.cases.push(gs); s = new ReturnStatement(Loc(), new IntegerExp(fs.cases.dim + 1)); (*fs.gotos)[i].statement = s; } } Expression e = null; Expression ec; if (vinit) { e = new DeclarationExp(loc, vinit); e = e.semantic(sc2); if (e.op == TOKerror) goto Lerror2; } if (taa) { // Check types Parameter p = (*fs.parameters)[0]; bool isRef = (p.storageClass & STCref) != 0; Type ta = p.type; if (dim == 2) { Type ti = (isRef ? taa.index.addMod(MODconst) : taa.index); if (isRef ? !ti.constConv(ta) : !ti.implicitConvTo(ta)) { fs.error("foreach: index must be type %s, not %s", ti.toChars(), ta.toChars()); goto Lerror2; } p = (*fs.parameters)[1]; isRef = (p.storageClass & STCref) != 0; ta = p.type; } Type taav = taa.nextOf(); if (isRef ? !taav.constConv(ta) : !taav.implicitConvTo(ta)) { fs.error("foreach: value must be type %s, not %s", taav.toChars(), ta.toChars()); goto Lerror2; } /* Call: * extern(C) int _aaApply(void*, in size_t, int delegate(void*)) * _aaApply(aggr, keysize, flde) * * extern(C) int _aaApply2(void*, in size_t, int delegate(void*, void*)) * _aaApply2(aggr, keysize, flde) */ static __gshared const(char)** name = ["_aaApply", "_aaApply2"]; static __gshared FuncDeclaration* fdapply = [null, null]; static __gshared TypeDelegate* fldeTy = [null, null]; ubyte i = (dim == 2 ? 1 : 0); if (!fdapply[i]) { params = new Parameters(); params.push(new Parameter(0, Type.tvoid.pointerTo(), null, null)); params.push(new Parameter(STCin, Type.tsize_t, null, null)); auto dgparams = new Parameters(); dgparams.push(new Parameter(0, Type.tvoidptr, null, null)); if (dim == 2) dgparams.push(new Parameter(0, Type.tvoidptr, null, null)); fldeTy[i] = new TypeDelegate(new TypeFunction(dgparams, Type.tint32, 0, LINKd)); params.push(new Parameter(0, fldeTy[i], null, null)); fdapply[i] = FuncDeclaration.genCfunc(params, Type.tint32, name[i]); } auto exps = new Expressions(); exps.push(fs.aggr); auto keysize = taa.index.size(); if (keysize == SIZE_INVALID) goto Lerror2; assert(keysize < keysize.max - Target.ptrsize); keysize = (keysize + (Target.ptrsize - 1)) & ~(Target.ptrsize - 1); // paint delegate argument to the type runtime expects if (!fldeTy[i].equals(flde.type)) { flde = new CastExp(loc, flde, flde.type); flde.type = fldeTy[i]; } exps.push(new IntegerExp(Loc(), keysize, Type.tsize_t)); exps.push(flde); ec = new VarExp(Loc(), fdapply[i], false); ec = new CallExp(loc, ec, exps); ec.type = Type.tint32; // don't run semantic() on ec } else if (tab.ty == Tarray || tab.ty == Tsarray) { /* Call: * _aApply(aggr, flde) */ static __gshared const(char)** fntab = [ "cc", "cw", "cd", "wc", "cc", "wd", "dc", "dw", "dd" ]; const(size_t) BUFFER_LEN = 7 + 1 + 2 + dim.sizeof * 3 + 1; char[BUFFER_LEN] fdname; int flag; switch (tn.ty) { case Tchar: flag = 0; break; case Twchar: flag = 3; break; case Tdchar: flag = 6; break; default: assert(0); } switch (tnv.ty) { case Tchar: flag += 0; break; case Twchar: flag += 1; break; case Tdchar: flag += 2; break; default: assert(0); } const(char)* r = (fs.op == TOKforeach_reverse) ? "R" : ""; int j = sprintf(fdname.ptr, "_aApply%s%.*s%llu", r, 2, fntab[flag], cast(ulong)dim); assert(j < BUFFER_LEN); FuncDeclaration fdapply; TypeDelegate dgty; params = new Parameters(); params.push(new Parameter(STCin, tn.arrayOf(), null, null)); auto dgparams = new Parameters(); dgparams.push(new Parameter(0, Type.tvoidptr, null, null)); if (dim == 2) dgparams.push(new Parameter(0, Type.tvoidptr, null, null)); dgty = new TypeDelegate(new TypeFunction(dgparams, Type.tint32, 0, LINKd)); params.push(new Parameter(0, dgty, null, null)); fdapply = FuncDeclaration.genCfunc(params, Type.tint32, fdname.ptr); if (tab.ty == Tsarray) fs.aggr = fs.aggr.castTo(sc2, tn.arrayOf()); // paint delegate argument to the type runtime expects if (!dgty.equals(flde.type)) { flde = new CastExp(loc, flde, flde.type); flde.type = dgty; } ec = new VarExp(Loc(), fdapply, false); ec = new CallExp(loc, ec, fs.aggr, flde); ec.type = Type.tint32; // don't run semantic() on ec } else if (tab.ty == Tdelegate) { /* Call: * aggr(flde) */ if (fs.aggr.op == TOKdelegate && (cast(DelegateExp)fs.aggr).func.isNested()) { // See Bugzilla 3560 fs.aggr = (cast(DelegateExp)fs.aggr).e1; } ec = new CallExp(loc, fs.aggr, flde); ec = ec.semantic(sc2); if (ec.op == TOKerror) goto Lerror2; if (ec.type != Type.tint32) { fs.error("opApply() function for %s must return an int", tab.toChars()); goto Lerror2; } } else { if (global.params.safe) { fprintf( global.stdmsg, "%s: To enforce @safe compiler allocates a closure unless the opApply() uses 'scope'\n", loc.toChars() ); fflush(global.stdmsg); } fld.tookAddressOf = 1; assert(tab.ty == Tstruct || tab.ty == Tclass); assert(sapply); /* Call: * aggr.apply(flde) */ ec = new DotIdExp(loc, fs.aggr, sapply.ident); ec = new CallExp(loc, ec, flde); ec = ec.semantic(sc2); if (ec.op == TOKerror) goto Lerror2; if (ec.type != Type.tint32) { fs.error("opApply() function for %s must return an int", tab.toChars()); goto Lerror2; } } e = Expression.combine(e, ec); if (!fs.cases.dim) { // Easy case, a clean exit from the loop e = new CastExp(loc, e, Type.tvoid); // Bugzilla 13899 s = new ExpStatement(loc, e); } else { // Construct a switch statement around the return value // of the apply function. auto a = new Statements(); // default: break; takes care of cases 0 and 1 s = new BreakStatement(Loc(), null); s = new DefaultStatement(Loc(), s); a.push(s); // cases 2... foreach (i, c; *fs.cases) { s = new CaseStatement(Loc(), new IntegerExp(i + 2), c); a.push(s); } s = new CompoundStatement(loc, a); s = new SwitchStatement(loc, e, s, false); } s = s.semantic(sc2); break; } case Terror: Lerror2: s = new ErrorStatement(); break; default: fs.error("foreach: %s is not an aggregate type", fs.aggr.type.toChars()); goto Lerror2; } sc2.noctor--; sc2.pop(); result = s; } override void visit(ForeachRangeStatement fs) { //printf("ForeachRangeStatement::semantic() %p\n", fs); auto loc = fs.loc; fs.lwr = fs.lwr.semantic(sc); fs.lwr = resolveProperties(sc, fs.lwr); fs.lwr = fs.lwr.optimize(WANTvalue); if (!fs.lwr.type) { fs.error("invalid range lower bound %s", fs.lwr.toChars()); Lerror: return setError(); } fs.upr = fs.upr.semantic(sc); fs.upr = resolveProperties(sc, fs.upr); fs.upr = fs.upr.optimize(WANTvalue); if (!fs.upr.type) { fs.error("invalid range upper bound %s", fs.upr.toChars()); goto Lerror; } if (fs.prm.type) { fs.prm.type = fs.prm.type.semantic(loc, sc); fs.prm.type = fs.prm.type.addStorageClass(fs.prm.storageClass); fs.lwr = fs.lwr.implicitCastTo(sc, fs.prm.type); if (fs.upr.implicitConvTo(fs.prm.type) || (fs.prm.storageClass & STCref)) { fs.upr = fs.upr.implicitCastTo(sc, fs.prm.type); } else { // See if upr-1 fits in prm->type Expression limit = new MinExp(loc, fs.upr, new IntegerExp(1)); limit = limit.semantic(sc); limit = limit.optimize(WANTvalue); if (!limit.implicitConvTo(fs.prm.type)) { fs.upr = fs.upr.implicitCastTo(sc, fs.prm.type); } } } else { /* Must infer types from lwr and upr */ Type tlwr = fs.lwr.type.toBasetype(); if (tlwr.ty == Tstruct || tlwr.ty == Tclass) { /* Just picking the first really isn't good enough. */ fs.prm.type = fs.lwr.type; } else if (fs.lwr.type == fs.upr.type) { /* Same logic as CondExp ?lwr:upr */ fs.prm.type = fs.lwr.type; } else { scope AddExp ea = new AddExp(loc, fs.lwr, fs.upr); if (typeCombine(ea, sc)) return setError(); fs.prm.type = ea.type; fs.lwr = ea.e1; fs.upr = ea.e2; } fs.prm.type = fs.prm.type.addStorageClass(fs.prm.storageClass); } if (fs.prm.type.ty == Terror || fs.lwr.op == TOKerror || fs.upr.op == TOKerror) { return setError(); } /* Convert to a for loop: * foreach (key; lwr .. upr) => * for (auto key = lwr, auto tmp = upr; key < tmp; ++key) * * foreach_reverse (key; lwr .. upr) => * for (auto tmp = lwr, auto key = upr; key-- > tmp;) */ auto ie = new ExpInitializer(loc, (fs.op == TOKforeach) ? fs.lwr : fs.upr); fs.key = new VarDeclaration(loc, fs.upr.type.mutableOf(), Identifier.generateId("__key"), ie); fs.key.storage_class |= STCtemp; SignExtendedNumber lower = getIntRange(fs.lwr).imin; SignExtendedNumber upper = getIntRange(fs.upr).imax; if (lower <= upper) { fs.key.range = new IntRange(lower, upper); } Identifier id = Identifier.generateId("__limit"); ie = new ExpInitializer(loc, (fs.op == TOKforeach) ? fs.upr : fs.lwr); auto tmp = new VarDeclaration(loc, fs.upr.type, id, ie); tmp.storage_class |= STCtemp; auto cs = new Statements(); // Keep order of evaluation as lwr, then upr if (fs.op == TOKforeach) { cs.push(new ExpStatement(loc, fs.key)); cs.push(new ExpStatement(loc, tmp)); } else { cs.push(new ExpStatement(loc, tmp)); cs.push(new ExpStatement(loc, fs.key)); } Statement forinit = new CompoundDeclarationStatement(loc, cs); Expression cond; if (fs.op == TOKforeach_reverse) { cond = new PostExp(TOKminusminus, loc, new VarExp(loc, fs.key)); if (fs.prm.type.isscalar()) { // key-- > tmp cond = new CmpExp(TOKgt, loc, cond, new VarExp(loc, tmp)); } else { // key-- != tmp cond = new EqualExp(TOKnotequal, loc, cond, new VarExp(loc, tmp)); } } else { if (fs.prm.type.isscalar()) { // key < tmp cond = new CmpExp(TOKlt, loc, new VarExp(loc, fs.key), new VarExp(loc, tmp)); } else { // key != tmp cond = new EqualExp(TOKnotequal, loc, new VarExp(loc, fs.key), new VarExp(loc, tmp)); } } Expression increment = null; if (fs.op == TOKforeach) { // key += 1 //increment = new AddAssignExp(loc, new VarExp(loc, fs.key), new IntegerExp(1)); increment = new PreExp(TOKpreplusplus, loc, new VarExp(loc, fs.key)); } if ((fs.prm.storageClass & STCref) && fs.prm.type.equals(fs.key.type)) { fs.key.range = null; auto v = new AliasDeclaration(loc, fs.prm.ident, fs.key); fs._body = new CompoundStatement(loc, new ExpStatement(loc, v), fs._body); } else { ie = new ExpInitializer(loc, new CastExp(loc, new VarExp(loc, fs.key), fs.prm.type)); auto v = new VarDeclaration(loc, fs.prm.type, fs.prm.ident, ie); v.storage_class |= STCtemp | STCforeach | (fs.prm.storageClass & STCref); fs._body = new CompoundStatement(loc, new ExpStatement(loc, v), fs._body); if (fs.key.range && !fs.prm.type.isMutable()) { /* Limit the range of the key to the specified range */ v.range = new IntRange(fs.key.range.imin, fs.key.range.imax - SignExtendedNumber(1)); } } if (fs.prm.storageClass & STCref) { if (fs.key.type.constConv(fs.prm.type) <= MATCHnomatch) { fs.error("prmument type mismatch, %s to ref %s", fs.key.type.toChars(), fs.prm.type.toChars()); goto Lerror; } } auto s = new ForStatement(loc, forinit, cond, increment, fs._body, fs.endloc); if (LabelStatement ls = checkLabeledLoop(sc, fs)) ls.gotoTarget = s; result = s.semantic(sc); } override void visit(IfStatement ifs) { // Evaluate at runtime uint cs0 = sc.callSuper; uint cs1; uint* fi0 = sc.saveFieldInit(); uint* fi1 = null; // check in syntax level ifs.condition = checkAssignmentAsCondition(ifs.condition); auto sym = new ScopeDsymbol(); sym.parent = sc.scopesym; sym.endlinnum = ifs.endloc.linnum; Scope* scd = sc.push(sym); if (ifs.prm) { /* Declare prm, which we will set to be the * result of condition. */ auto ei = new ExpInitializer(ifs.loc, ifs.condition); ifs.match = new VarDeclaration(ifs.loc, ifs.prm.type, ifs.prm.ident, ei); ifs.match.parent = scd.func; ifs.match.storage_class |= ifs.prm.storageClass; ifs.match.semantic(scd); auto de = new DeclarationExp(ifs.loc, ifs.match); auto ve = new VarExp(ifs.loc, ifs.match); ifs.condition = new CommaExp(ifs.loc, de, ve); ifs.condition = ifs.condition.semantic(scd); if (ifs.match.edtor) { Statement sdtor = new DtorExpStatement(ifs.loc, ifs.match.edtor, ifs.match); sdtor = new OnScopeStatement(ifs.loc, TOKon_scope_exit, sdtor); ifs.ifbody = new CompoundStatement(ifs.loc, sdtor, ifs.ifbody); ifs.match.storage_class |= STCnodtor; } } else { if (ifs.condition.op == TOKdotid) (cast(DotIdExp)ifs.condition).noderef = true; ifs.condition = ifs.condition.semantic(scd); ifs.condition = resolveProperties(scd, ifs.condition); ifs.condition = ifs.condition.addDtorHook(scd); } if (checkNonAssignmentArrayOp(ifs.condition)) ifs.condition = new ErrorExp(); ifs.condition = checkGC(scd, ifs.condition); // Convert to boolean after declaring prm so this works: // if (S prm = S()) {} // where S is a struct that defines opCast!bool. ifs.condition = ifs.condition.toBoolean(scd); // If we can short-circuit evaluate the if statement, don't do the // semantic analysis of the skipped code. // This feature allows a limited form of conditional compilation. ifs.condition = ifs.condition.optimize(WANTvalue); ifs.ifbody = ifs.ifbody.semanticNoScope(scd); scd.pop(); cs1 = sc.callSuper; fi1 = sc.fieldinit; sc.callSuper = cs0; sc.fieldinit = fi0; if (ifs.elsebody) ifs.elsebody = ifs.elsebody.semanticScope(sc, null, null); sc.mergeCallSuper(ifs.loc, cs1); sc.mergeFieldInit(ifs.loc, fi1); if (ifs.condition.op == TOKerror || (ifs.ifbody && ifs.ifbody.isErrorStatement()) || (ifs.elsebody && ifs.elsebody.isErrorStatement())) { return setError(); } result = ifs; } override void visit(ConditionalStatement cs) { //printf("ConditionalStatement::semantic()\n"); // If we can short-circuit evaluate the if statement, don't do the // semantic analysis of the skipped code. // This feature allows a limited form of conditional compilation. if (cs.condition.include(sc, null)) { DebugCondition dc = cs.condition.isDebugCondition(); if (dc) { sc = sc.push(); sc.flags |= SCOPEdebug; cs.ifbody = cs.ifbody.semantic(sc); sc.pop(); } else cs.ifbody = cs.ifbody.semantic(sc); result = cs.ifbody; } else { if (cs.elsebody) cs.elsebody = cs.elsebody.semantic(sc); result = cs.elsebody; } } override void visit(PragmaStatement ps) { // Should be merged with PragmaDeclaration //printf("PragmaStatement::semantic() %s\n", ps.toChars()); //printf("body = %p\n", ps._body); if (ps.ident == Id.msg) { if (ps.args) { foreach (arg; *ps.args) { sc = sc.startCTFE(); auto e = arg.semantic(sc); e = resolveProperties(sc, e); sc = sc.endCTFE(); // pragma(msg) is allowed to contain types as well as expressions e = ctfeInterpretForPragmaMsg(e); if (e.op == TOKerror) { errorSupplemental(ps.loc, "while evaluating pragma(msg, %s)", arg.toChars()); goto Lerror; } StringExp se = e.toStringExp(); if (se) { se = se.toUTF8(sc); fprintf(stderr, "%.*s", cast(int)se.len, se.string); } else fprintf(stderr, "%s", e.toChars()); } fprintf(stderr, "\n"); } } else if (ps.ident == Id.lib) { version (all) { /* Should this be allowed? */ ps.error("pragma(lib) not allowed as statement"); goto Lerror; } else { if (!ps.args || ps.args.dim != 1) { ps.error("string expected for library name"); goto Lerror; } else { auto se = semanticString(sc, (*ps.args)[0], "library name"); if (!se) goto Lerror; if (global.params.verbose) { fprintf(global.stdmsg, "library %.*s\n", cast(int)se.len, se.string); } } } } else if (ps.ident == Id.startaddress) { if (!ps.args || ps.args.dim != 1) ps.error("function name expected for start address"); else { Expression e = (*ps.args)[0]; sc = sc.startCTFE(); e = e.semantic(sc); e = resolveProperties(sc, e); sc = sc.endCTFE(); e = e.ctfeInterpret(); (*ps.args)[0] = e; Dsymbol sa = getDsymbol(e); if (!sa || !sa.isFuncDeclaration()) { ps.error("function name expected for start address, not '%s'", e.toChars()); goto Lerror; } if (ps._body) { ps._body = ps._body.semantic(sc); if (ps._body.isErrorStatement()) { result = ps._body; return; } } result = ps; return; } } else if (ps.ident == Id.Pinline) { PINLINE inlining = PINLINEdefault; if (!ps.args || ps.args.dim == 0) inlining = PINLINEdefault; else if (!ps.args || ps.args.dim != 1) { ps.error("boolean expression expected for pragma(inline)"); goto Lerror; } else { Expression e = (*ps.args)[0]; if (e.op != TOKint64 || !e.type.equals(Type.tbool)) { ps.error("pragma(inline, true or false) expected, not %s", e.toChars()); goto Lerror; } if (e.isBool(true)) inlining = PINLINEalways; else if (e.isBool(false)) inlining = PINLINEnever; FuncDeclaration fd = sc.func; if (!fd) { ps.error("pragma(inline) is not inside a function"); goto Lerror; } fd.inlining = inlining; } } else { ps.error("unrecognized pragma(%s)", ps.ident.toChars()); goto Lerror; } if (ps._body) { ps._body = ps._body.semantic(sc); } result = ps._body; return; Lerror: return setError(); } override void visit(StaticAssertStatement s) { s.sa.semantic2(sc); } override void visit(SwitchStatement ss) { //printf("SwitchStatement::semantic(%p)\n", ss); ss.tf = sc.tf; if (ss.cases) { result = ss; // already run return; } bool conditionError = false; ss.condition = ss.condition.semantic(sc); ss.condition = resolveProperties(sc, ss.condition); Type att = null; TypeEnum te = null; while (ss.condition.op != TOKerror) { // preserve enum type for final switches if (ss.condition.type.ty == Tenum) te = cast(TypeEnum)ss.condition.type; if (ss.condition.type.isString()) { // If it's not an array, cast it to one if (ss.condition.type.ty != Tarray) { ss.condition = ss.condition.implicitCastTo(sc, ss.condition.type.nextOf().arrayOf()); } ss.condition.type = ss.condition.type.constOf(); break; } ss.condition = integralPromotions(ss.condition, sc); if (ss.condition.op != TOKerror && ss.condition.type.isintegral()) break; auto ad = isAggregate(ss.condition.type); if (ad && ad.aliasthis && ss.condition.type != att) { if (!att && ss.condition.type.checkAliasThisRec()) att = ss.condition.type; if (auto e = resolveAliasThis(sc, ss.condition, true)) { ss.condition = e; continue; } } if (ss.condition.op != TOKerror) { ss.error("'%s' must be of integral or string type, it is a %s", ss.condition.toChars(), ss.condition.type.toChars()); conditionError = true; break; } } if (checkNonAssignmentArrayOp(ss.condition)) ss.condition = new ErrorExp(); ss.condition = ss.condition.optimize(WANTvalue); ss.condition = checkGC(sc, ss.condition); if (ss.condition.op == TOKerror) conditionError = true; bool needswitcherror = false; ss.lastVar = sc.lastVar; sc = sc.push(); sc.sbreak = ss; sc.sw = ss; ss.cases = new CaseStatements(); sc.noctor++; // BUG: should use Scope::mergeCallSuper() for each case instead ss._body = ss._body.semantic(sc); sc.noctor--; if (conditionError || ss._body.isErrorStatement()) goto Lerror; // Resolve any goto case's with exp foreach (gcs; ss.gotoCases) { if (!gcs.exp) { gcs.error("no case statement following goto case;"); goto Lerror; } for (Scope* scx = sc; scx; scx = scx.enclosing) { if (!scx.sw) continue; foreach (cs; *scx.sw.cases) { if (cs.exp.equals(gcs.exp)) { gcs.cs = cs; goto Lfoundcase; } } } gcs.error("case %s not found", gcs.exp.toChars()); goto Lerror; Lfoundcase: } if (ss.isFinal) { Type t = ss.condition.type; Dsymbol ds; EnumDeclaration ed = null; if (t && ((ds = t.toDsymbol(sc)) !is null)) ed = ds.isEnumDeclaration(); // typedef'ed enum if (!ed && te && ((ds = te.toDsymbol(sc)) !is null)) ed = ds.isEnumDeclaration(); if (ed) { foreach (es; *ed.members) { EnumMember em = es.isEnumMember(); if (em) { foreach (cs; *ss.cases) { if (cs.exp.equals(em.value) || (!cs.exp.type.isString() && !em.value.type.isString() && cs.exp.toInteger() == em.value.toInteger())) goto L1; } ss.error("enum member %s not represented in final switch", em.toChars()); goto Lerror; } L1: } } else needswitcherror = true; } if (!sc.sw.sdefault && (!ss.isFinal || needswitcherror || global.params.useAssert)) { ss.hasNoDefault = 1; if (!ss.isFinal && !ss._body.isErrorStatement()) ss.error("switch statement without a default; use 'final switch' or add 'default: assert(0);' or add 'default: break;'"); // Generate runtime error if the default is hit auto a = new Statements(); CompoundStatement cs; Statement s; if (global.params.useSwitchError) s = new SwitchErrorStatement(ss.loc); else s = new ExpStatement(ss.loc, new HaltExp(ss.loc)); a.reserve(2); sc.sw.sdefault = new DefaultStatement(ss.loc, s); a.push(ss._body); if (ss._body.blockExit(sc.func, false) & BEfallthru) a.push(new BreakStatement(Loc(), null)); a.push(sc.sw.sdefault); cs = new CompoundStatement(ss.loc, a); ss._body = cs; } if (ss.checkLabel()) goto Lerror; sc.pop(); result = ss; return; Lerror: sc.pop(); result = new ErrorStatement(); } override void visit(CaseStatement cs) { SwitchStatement sw = sc.sw; bool errors = false; //printf("CaseStatement::semantic() %s\n", toChars()); sc = sc.startCTFE(); cs.exp = cs.exp.semantic(sc); cs.exp = resolveProperties(sc, cs.exp); sc = sc.endCTFE(); if (sw) { cs.exp = cs.exp.implicitCastTo(sc, sw.condition.type); cs.exp = cs.exp.optimize(WANTvalue | WANTexpand); /* This is where variables are allowed as case expressions. */ if (cs.exp.op == TOKvar) { VarExp ve = cast(VarExp)cs.exp; VarDeclaration v = ve.var.isVarDeclaration(); Type t = cs.exp.type.toBasetype(); if (v && (t.isintegral() || t.ty == Tclass)) { /* Flag that we need to do special code generation * for this, i.e. generate a sequence of if-then-else */ sw.hasVars = 1; /* TODO check if v can be uninitialized at that point. * Also check if the VarExp is declared in a scope outside of this one */ if (!v.isConst() && !v.isImmutable()) { cs.deprecation("case variables have to be const or immutable"); } if (sw.isFinal) { cs.error("case variables not allowed in final switch statements"); errors = true; } goto L1; } } else cs.exp = cs.exp.ctfeInterpret(); if (StringExp se = cs.exp.toStringExp()) cs.exp = se; else if (cs.exp.op != TOKint64 && cs.exp.op != TOKerror) { cs.error("case must be a string or an integral constant, not %s", cs.exp.toChars()); errors = true; } L1: foreach (cs2; *sw.cases) { //printf("comparing '%s' with '%s'\n", exp->toChars(), cs->exp->toChars()); if (cs2.exp.equals(cs.exp)) { cs.error("duplicate case %s in switch statement", cs.exp.toChars()); errors = true; break; } } sw.cases.push(cs); // Resolve any goto case's with no exp to this case statement for (size_t i = 0; i < sw.gotoCases.dim;) { GotoCaseStatement gcs = sw.gotoCases[i]; if (!gcs.exp) { gcs.cs = cs; sw.gotoCases.remove(i); // remove from array continue; } i++; } if (sc.sw.tf != sc.tf) { cs.error("switch and case are in different finally blocks"); errors = true; } } else { cs.error("case not in switch statement"); errors = true; } cs.statement = cs.statement.semantic(sc); if (cs.statement.isErrorStatement()) { result = cs.statement; return; } if (errors || cs.exp.op == TOKerror) return setError(); cs.lastVar = sc.lastVar; result = cs; } override void visit(CaseRangeStatement crs) { SwitchStatement sw = sc.sw; if (sw is null) { crs.error("case range not in switch statement"); return setError(); } //printf("CaseRangeStatement::semantic() %s\n", toChars()); bool errors = false; if (sw.isFinal) { crs.error("case ranges not allowed in final switch"); errors = true; } sc = sc.startCTFE(); crs.first = crs.first.semantic(sc); crs.first = resolveProperties(sc, crs.first); sc = sc.endCTFE(); crs.first = crs.first.implicitCastTo(sc, sw.condition.type); crs.first = crs.first.ctfeInterpret(); sc = sc.startCTFE(); crs.last = crs.last.semantic(sc); crs.last = resolveProperties(sc, crs.last); sc = sc.endCTFE(); crs.last = crs.last.implicitCastTo(sc, sw.condition.type); crs.last = crs.last.ctfeInterpret(); if (crs.first.op == TOKerror || crs.last.op == TOKerror || errors) { if (crs.statement) crs.statement.semantic(sc); return setError(); } uinteger_t fval = crs.first.toInteger(); uinteger_t lval = crs.last.toInteger(); if ((crs.first.type.isunsigned() && fval > lval) || (!crs.first.type.isunsigned() && cast(sinteger_t)fval > cast(sinteger_t)lval)) { crs.error("first case %s is greater than last case %s", crs.first.toChars(), crs.last.toChars()); errors = true; lval = fval; } if (lval - fval > 256) { crs.error("had %llu cases which is more than 256 cases in case range", lval - fval); errors = true; lval = fval + 256; } if (errors) return setError(); /* This works by replacing the CaseRange with an array of Case's. * * case a: .. case b: s; * => * case a: * [...] * case b: * s; */ auto statements = new Statements(); for (uinteger_t i = fval; i != lval + 1; i++) { Statement s = crs.statement; if (i != lval) // if not last case s = new ExpStatement(crs.loc, cast(Expression)null); Expression e = new IntegerExp(crs.loc, i, crs.first.type); Statement cs = new CaseStatement(crs.loc, e, s); statements.push(cs); } Statement s = new CompoundStatement(crs.loc, statements); s = s.semantic(sc); result = s; } override void visit(DefaultStatement ds) { //printf("DefaultStatement::semantic()\n"); bool errors = false; if (sc.sw) { if (sc.sw.sdefault) { ds.error("switch statement already has a default"); errors = true; } sc.sw.sdefault = ds; if (sc.sw.tf != sc.tf) { ds.error("switch and default are in different finally blocks"); errors = true; } if (sc.sw.isFinal) { ds.error("default statement not allowed in final switch statement"); errors = true; } } else { ds.error("default not in switch statement"); errors = true; } ds.statement = ds.statement.semantic(sc); if (errors || ds.statement.isErrorStatement()) return setError(); ds.lastVar = sc.lastVar; result = ds; } override void visit(GotoDefaultStatement gds) { gds.sw = sc.sw; if (!gds.sw) { gds.error("goto default not in switch statement"); return setError(); } if (gds.sw.isFinal) { gds.error("goto default not allowed in final switch statement"); return setError(); } result = gds; } override void visit(GotoCaseStatement gcs) { if (!sc.sw) { gcs.error("goto case not in switch statement"); return setError(); } if (gcs.exp) { gcs.exp = gcs.exp.semantic(sc); gcs.exp = gcs.exp.implicitCastTo(sc, sc.sw.condition.type); gcs.exp = gcs.exp.optimize(WANTvalue); if (gcs.exp.op == TOKerror) return setError(); } sc.sw.gotoCases.push(gcs); result = gcs; } override void visit(ReturnStatement rs) { //printf("ReturnStatement.semantic() %s\n", rs.toChars()); FuncDeclaration fd = sc.parent.isFuncDeclaration(); if (fd.fes) fd = fd.fes.func; // fd is now function enclosing foreach TypeFunction tf = cast(TypeFunction)fd.type; assert(tf.ty == Tfunction); if (rs.exp && rs.exp.op == TOKvar && (cast(VarExp)rs.exp).var == fd.vresult) { // return vresult; if (sc.fes) { assert(rs.caseDim == 0); sc.fes.cases.push(rs); result = new ReturnStatement(Loc(), new IntegerExp(sc.fes.cases.dim + 1)); return; } if (fd.returnLabel) { auto gs = new GotoStatement(rs.loc, Id.returnLabel); gs.label = fd.returnLabel; result = gs; return; } if (!fd.returns) fd.returns = new ReturnStatements(); fd.returns.push(rs); result = rs; return; } Type tret = tf.next; Type tbret = tret ? tret.toBasetype() : null; bool inferRef = (tf.isref && (fd.storage_class & STCauto)); Expression e0 = null; bool errors = false; if (sc.flags & SCOPEcontract) { rs.error("return statements cannot be in contracts"); errors = true; } if (sc.os && sc.os.tok != TOKon_scope_failure) { rs.error("return statements cannot be in %s bodies", Token.toChars(sc.os.tok)); errors = true; } if (sc.tf) { rs.error("return statements cannot be in finally bodies"); errors = true; } if (fd.isCtorDeclaration()) { if (rs.exp) { rs.error("cannot return expression from constructor"); errors = true; } // Constructors implicitly do: // return this; rs.exp = new ThisExp(Loc()); rs.exp.type = tret; } else if (rs.exp) { fd.hasReturnExp |= 1; FuncLiteralDeclaration fld = fd.isFuncLiteralDeclaration(); if (tret) rs.exp = inferType(rs.exp, tret); else if (fld && fld.treq) rs.exp = inferType(rs.exp, fld.treq.nextOf().nextOf()); rs.exp = rs.exp.semantic(sc); rs.exp = resolveProperties(sc, rs.exp); if (rs.exp.checkType()) rs.exp = new ErrorExp(); if (auto f = isFuncAddress(rs.exp)) { if (fd.inferRetType && f.checkForwardRef(rs.exp.loc)) rs.exp = new ErrorExp(); } if (checkNonAssignmentArrayOp(rs.exp)) rs.exp = new ErrorExp(); // Extract side-effect part rs.exp = Expression.extractLast(rs.exp, &e0); if (rs.exp.op == TOKcall) rs.exp = valueNoDtor(rs.exp); if (e0) e0 = e0.optimize(WANTvalue); /* Void-return function can have void typed expression * on return statement. */ if (tbret && tbret.ty == Tvoid || rs.exp.type.ty == Tvoid) { if (rs.exp.type.ty != Tvoid) { rs.error("cannot return non-void from void function"); errors = true; rs.exp = new CastExp(rs.loc, rs.exp, Type.tvoid); rs.exp = rs.exp.semantic(sc); } /* Replace: * return exp; * with: * exp; return; */ e0 = Expression.combine(e0, rs.exp); rs.exp = null; } if (e0) e0 = checkGC(sc, e0); } if (rs.exp) { if (fd.inferRetType) // infer return type { if (!tret) { tf.next = rs.exp.type; } else if (tret.ty != Terror && !rs.exp.type.equals(tret)) { int m1 = rs.exp.type.implicitConvTo(tret); int m2 = tret.implicitConvTo(rs.exp.type); //printf("exp->type = %s m2<-->m1 tret %s\n", exp->type->toChars(), tret->toChars()); //printf("m1 = %d, m2 = %d\n", m1, m2); if (m1 && m2) { } else if (!m1 && m2) tf.next = rs.exp.type; else if (m1 && !m2) { } else if (rs.exp.op != TOKerror) { rs.error("mismatched function return type inference of %s and %s", rs.exp.type.toChars(), tret.toChars()); errors = true; tf.next = Type.terror; } } tret = tf.next; tbret = tret.toBasetype(); } if (inferRef) // deduce 'auto ref' { /* Determine "refness" of function return: * if it's an lvalue, return by ref, else return by value */ if (rs.exp.isLvalue()) { /* May return by ref */ if (checkEscapeRef(sc, rs.exp, true)) tf.isref = false; // return by value } else tf.isref = false; // return by value /* The "refness" is determined by all of return statements. * This means: * return 3; return x; // ok, x can be a value * return x; return 3; // ok, x can be a value */ } // handle NRVO if (fd.nrvo_can && rs.exp.op == TOKvar) { VarExp ve = cast(VarExp)rs.exp; VarDeclaration v = ve.var.isVarDeclaration(); if (tf.isref) { // Function returns a reference if (!inferRef) fd.nrvo_can = 0; } else if (!v || v.isOut() || v.isRef()) fd.nrvo_can = 0; else if (fd.nrvo_var is null) { if (!v.isDataseg() && !v.isParameter() && v.toParent2() == fd) { //printf("Setting nrvo to %s\n", v->toChars()); fd.nrvo_var = v; } else fd.nrvo_can = 0; } else if (fd.nrvo_var != v) fd.nrvo_can = 0; } else //if (!exp->isLvalue()) // keep NRVO-ability fd.nrvo_can = 0; } else { // handle NRVO fd.nrvo_can = 0; // infer return type if (fd.inferRetType) { if (tf.next && tf.next.ty != Tvoid) { if (tf.next.ty != Terror) { rs.error("mismatched function return type inference of void and %s", tf.next.toChars()); } errors = true; tf.next = Type.terror; } else tf.next = Type.tvoid; tret = tf.next; tbret = tret.toBasetype(); } if (inferRef) // deduce 'auto ref' tf.isref = false; if (tbret.ty != Tvoid) // if non-void return { if (tbret.ty != Terror) rs.error("return expression expected"); errors = true; } else if (fd.isMain()) { // main() returns 0, even if it returns void rs.exp = new IntegerExp(0); } } // If any branches have called a ctor, but this branch hasn't, it's an error if (sc.callSuper & CSXany_ctor && !(sc.callSuper & (CSXthis_ctor | CSXsuper_ctor))) { rs.error("return without calling constructor"); errors = true; } sc.callSuper |= CSXreturn; if (sc.fieldinit) { auto ad = fd.isMember2(); assert(ad); size_t dim = sc.fieldinit_dim; foreach (i; 0 .. dim) { VarDeclaration v = ad.fields[i]; bool mustInit = (v.storage_class & STCnodefaultctor || v.type.needsNested()); if (mustInit && !(sc.fieldinit[i] & CSXthis_ctor)) { rs.error("an earlier return statement skips field %s initialization", v.toChars()); errors = true; } sc.fieldinit[i] |= CSXreturn; } } if (errors) return setError(); if (sc.fes) { if (!rs.exp) { // Send out "case receiver" statement to the foreach. // return exp; Statement s = new ReturnStatement(Loc(), rs.exp); sc.fes.cases.push(s); // Immediately rewrite "this" return statement as: // return cases->dim+1; rs.exp = new IntegerExp(sc.fes.cases.dim + 1); if (e0) { result = new CompoundStatement(rs.loc, new ExpStatement(rs.loc, e0), rs); return; } result = rs; return; } else { fd.buildResultVar(null, rs.exp.type); bool r = fd.vresult.checkNestedReference(sc, Loc()); assert(!r); // vresult should be always accessible // Send out "case receiver" statement to the foreach. // return vresult; Statement s = new ReturnStatement(Loc(), new VarExp(Loc(), fd.vresult)); sc.fes.cases.push(s); // Save receiver index for the later rewriting from: // return exp; // to: // vresult = exp; retrun caseDim; rs.caseDim = sc.fes.cases.dim + 1; } } if (rs.exp) { if (!fd.returns) fd.returns = new ReturnStatements(); fd.returns.push(rs); } if (e0) { result = new CompoundStatement(rs.loc, new ExpStatement(rs.loc, e0), rs); return; } result = rs; } override void visit(BreakStatement bs) { //printf("BreakStatement::semantic()\n"); // If: // break Identifier; if (bs.ident) { bs.ident = fixupLabelName(sc, bs.ident); FuncDeclaration thisfunc = sc.func; for (Scope* scx = sc; scx; scx = scx.enclosing) { if (scx.func != thisfunc) // if in enclosing function { if (sc.fes) // if this is the body of a foreach { /* Post this statement to the fes, and replace * it with a return value that caller will put into * a switch. Caller will figure out where the break * label actually is. * Case numbers start with 2, not 0, as 0 is continue * and 1 is break. */ sc.fes.cases.push(bs); result = new ReturnStatement(Loc(), new IntegerExp(sc.fes.cases.dim + 1)); return; } break; // can't break to it } LabelStatement ls = scx.slabel; if (ls && ls.ident == bs.ident) { Statement s = ls.statement; if (!s || !s.hasBreak()) bs.error("label '%s' has no break", bs.ident.toChars()); else if (ls.tf != sc.tf) bs.error("cannot break out of finally block"); else { ls.breaks = true; result = bs; return; } return setError(); } } bs.error("enclosing label '%s' for break not found", bs.ident.toChars()); return setError(); } else if (!sc.sbreak) { if (sc.os && sc.os.tok != TOKon_scope_failure) { bs.error("break is not inside %s bodies", Token.toChars(sc.os.tok)); } else if (sc.fes) { // Replace break; with return 1; result = new ReturnStatement(Loc(), new IntegerExp(1)); return; } else bs.error("break is not inside a loop or switch"); return setError(); } result = bs; } override void visit(ContinueStatement cs) { //printf("ContinueStatement::semantic() %p\n", cs); if (cs.ident) { cs.ident = fixupLabelName(sc, cs.ident); Scope* scx; FuncDeclaration thisfunc = sc.func; for (scx = sc; scx; scx = scx.enclosing) { LabelStatement ls; if (scx.func != thisfunc) // if in enclosing function { if (sc.fes) // if this is the body of a foreach { for (; scx; scx = scx.enclosing) { ls = scx.slabel; if (ls && ls.ident == cs.ident && ls.statement == sc.fes) { // Replace continue ident; with return 0; result = new ReturnStatement(Loc(), new IntegerExp(0)); return; } } /* Post this statement to the fes, and replace * it with a return value that caller will put into * a switch. Caller will figure out where the break * label actually is. * Case numbers start with 2, not 0, as 0 is continue * and 1 is break. */ sc.fes.cases.push(cs); result = new ReturnStatement(Loc(), new IntegerExp(sc.fes.cases.dim + 1)); return; } break; // can't continue to it } ls = scx.slabel; if (ls && ls.ident == cs.ident) { Statement s = ls.statement; if (!s || !s.hasContinue()) cs.error("label '%s' has no continue", cs.ident.toChars()); else if (ls.tf != sc.tf) cs.error("cannot continue out of finally block"); else { result = cs; return; } return setError(); } } cs.error("enclosing label '%s' for continue not found", cs.ident.toChars()); return setError(); } else if (!sc.scontinue) { if (sc.os && sc.os.tok != TOKon_scope_failure) { cs.error("continue is not inside %s bodies", Token.toChars(sc.os.tok)); } else if (sc.fes) { // Replace continue; with return 0; result = new ReturnStatement(Loc(), new IntegerExp(0)); return; } else cs.error("continue is not inside a loop"); return setError(); } result = cs; } override void visit(SynchronizedStatement ss) { if (ss.exp) { ss.exp = ss.exp.semantic(sc); ss.exp = resolveProperties(sc, ss.exp); ss.exp = ss.exp.optimize(WANTvalue); ss.exp = checkGC(sc, ss.exp); if (ss.exp.op == TOKerror) goto Lbody; ClassDeclaration cd = ss.exp.type.isClassHandle(); if (!cd) { ss.error("can only synchronize on class objects, not '%s'", ss.exp.type.toChars()); return setError(); } else if (cd.isInterfaceDeclaration()) { /* Cast the interface to an object, as the object has the monitor, * not the interface. */ if (!ClassDeclaration.object) { ss.error("missing or corrupt object.d"); fatal(); } Type t = ClassDeclaration.object.type; t = t.semantic(Loc(), sc).toBasetype(); assert(t.ty == Tclass); ss.exp = new CastExp(ss.loc, ss.exp, t); ss.exp = ss.exp.semantic(sc); } version (all) { /* Rewrite as: * auto tmp = exp; * _d_monitorenter(tmp); * try { body } finally { _d_monitorexit(tmp); } */ auto tmp = copyToTemp(0, "__sync", ss.exp); auto cs = new Statements(); cs.push(new ExpStatement(ss.loc, tmp)); auto args = new Parameters(); args.push(new Parameter(0, ClassDeclaration.object.type, null, null)); FuncDeclaration fdenter = FuncDeclaration.genCfunc(args, Type.tvoid, Id.monitorenter); Expression e = new CallExp(ss.loc, new VarExp(ss.loc, fdenter, false), new VarExp(ss.loc, tmp)); e.type = Type.tvoid; // do not run semantic on e cs.push(new ExpStatement(ss.loc, e)); FuncDeclaration fdexit = FuncDeclaration.genCfunc(args, Type.tvoid, Id.monitorexit); e = new CallExp(ss.loc, new VarExp(ss.loc, fdexit, false), new VarExp(ss.loc, tmp)); e.type = Type.tvoid; // do not run semantic on e Statement s = new ExpStatement(ss.loc, e); s = new TryFinallyStatement(ss.loc, ss._body, s); cs.push(s); s = new CompoundStatement(ss.loc, cs); result = s.semantic(sc); return; } } else { /* Generate our own critical section, then rewrite as: * __gshared byte[CriticalSection.sizeof] critsec; * _d_criticalenter(critsec.ptr); * try { body } finally { _d_criticalexit(critsec.ptr); } */ auto id = Identifier.generateId("__critsec"); auto t = Type.tint8.sarrayOf(Target.ptrsize + Target.critsecsize()); auto tmp = new VarDeclaration(ss.loc, t, id, null); tmp.storage_class |= STCtemp | STCgshared | STCstatic; auto cs = new Statements(); cs.push(new ExpStatement(ss.loc, tmp)); /* This is just a dummy variable for "goto skips declaration" error. * Backend optimizer could remove this unused variable. */ auto v = new VarDeclaration(ss.loc, Type.tvoidptr, Identifier.generateId("__sync"), null); v.semantic(sc); cs.push(new ExpStatement(ss.loc, v)); auto args = new Parameters(); args.push(new Parameter(0, t.pointerTo(), null, null)); FuncDeclaration fdenter = FuncDeclaration.genCfunc(args, Type.tvoid, Id.criticalenter, STCnothrow); Expression e = new DotIdExp(ss.loc, new VarExp(ss.loc, tmp), Id.ptr); e = e.semantic(sc); e = new CallExp(ss.loc, new VarExp(ss.loc, fdenter, false), e); e.type = Type.tvoid; // do not run semantic on e cs.push(new ExpStatement(ss.loc, e)); FuncDeclaration fdexit = FuncDeclaration.genCfunc(args, Type.tvoid, Id.criticalexit, STCnothrow); e = new DotIdExp(ss.loc, new VarExp(ss.loc, tmp), Id.ptr); e = e.semantic(sc); e = new CallExp(ss.loc, new VarExp(ss.loc, fdexit, false), e); e.type = Type.tvoid; // do not run semantic on e Statement s = new ExpStatement(ss.loc, e); s = new TryFinallyStatement(ss.loc, ss._body, s); cs.push(s); s = new CompoundStatement(ss.loc, cs); result = s.semantic(sc); return; } Lbody: if (ss._body) ss._body = ss._body.semantic(sc); if (ss._body && ss._body.isErrorStatement()) { result = ss._body; return; } result = ss; } override void visit(WithStatement ws) { ScopeDsymbol sym; Initializer _init; //printf("WithStatement::semantic()\n"); ws.exp = ws.exp.semantic(sc); ws.exp = resolveProperties(sc, ws.exp); ws.exp = ws.exp.optimize(WANTvalue); ws.exp = checkGC(sc, ws.exp); if (ws.exp.op == TOKerror) return setError(); if (ws.exp.op == TOKscope) { sym = new WithScopeSymbol(ws); sym.parent = sc.scopesym; sym.endlinnum = ws.endloc.linnum; } else if (ws.exp.op == TOKtype) { Dsymbol s = (cast(TypeExp)ws.exp).type.toDsymbol(sc); if (!s || !s.isScopeDsymbol()) { ws.error("with type %s has no members", ws.exp.toChars()); return setError(); } sym = new WithScopeSymbol(ws); sym.parent = sc.scopesym; sym.endlinnum = ws.endloc.linnum; } else { Type t = ws.exp.type.toBasetype(); Expression olde = ws.exp; if (t.ty == Tpointer) { ws.exp = new PtrExp(ws.loc, ws.exp); ws.exp = ws.exp.semantic(sc); t = ws.exp.type.toBasetype(); } assert(t); t = t.toBasetype(); if (t.isClassHandle()) { _init = new ExpInitializer(ws.loc, ws.exp); ws.wthis = new VarDeclaration(ws.loc, ws.exp.type, Id.withSym, _init); ws.wthis.semantic(sc); sym = new WithScopeSymbol(ws); sym.parent = sc.scopesym; sym.endlinnum = ws.endloc.linnum; } else if (t.ty == Tstruct) { if (!ws.exp.isLvalue()) { /* Re-write to * { * auto __withtmp = exp * with(__withtmp) * { * ... * } * } */ auto tmp = copyToTemp(0, "__withtmp", ws.exp); auto es = new ExpStatement(ws.loc, tmp); ws.exp = new VarExp(ws.loc, tmp); Statement ss = new ScopeStatement(ws.loc, new CompoundStatement(ws.loc, es, ws), ws.endloc); result = ss.semantic(sc); return; } Expression e = ws.exp.addressOf(); _init = new ExpInitializer(ws.loc, e); ws.wthis = new VarDeclaration(ws.loc, e.type, Id.withSym, _init); ws.wthis.semantic(sc); sym = new WithScopeSymbol(ws); // Need to set the scope to make use of resolveAliasThis sym.setScope(sc); sym.parent = sc.scopesym; sym.endlinnum = ws.endloc.linnum; } else { ws.error("with expressions must be aggregate types or pointers to them, not '%s'", olde.type.toChars()); return setError(); } } if (ws._body) { sym._scope = sc; sc = sc.push(sym); sc.insert(sym); ws._body = ws._body.semantic(sc); sc.pop(); if (ws._body && ws._body.isErrorStatement()) { result = ws._body; return; } } result = ws; } override void visit(TryCatchStatement tcs) { uint flags; enum FLAGcpp = 1; enum FLAGd = 2; tcs._body = tcs._body.semanticScope(sc, null, null); assert(tcs._body); /* Even if body is empty, still do semantic analysis on catches */ bool catchErrors = false; foreach (i, c; *tcs.catches) { c.semantic(sc); if (c.errors) { catchErrors = true; continue; } auto cd = c.type.toBasetype().isClassHandle(); flags |= cd.isCPPclass() ? FLAGcpp : FLAGd; // Determine if current catch 'hides' any previous catches foreach (j; 0 .. i) { Catch cj = (*tcs.catches)[j]; const si = c.loc.toChars(); const sj = cj.loc.toChars(); if (c.type.toBasetype().implicitConvTo(cj.type.toBasetype())) { tcs.error("catch at %s hides catch at %s", sj, si); catchErrors = true; } } } if (sc.func) { if (flags == (FLAGcpp | FLAGd)) { tcs.error("cannot mix catching D and C++ exceptions in the same try-catch"); catchErrors = true; } } if (catchErrors) return setError(); if (tcs._body.isErrorStatement()) { result = tcs._body; return; } /* If the try body never throws, we can eliminate any catches * of recoverable exceptions. */ if (!(tcs._body.blockExit(sc.func, false) & BEthrow) && ClassDeclaration.exception) { foreach_reverse (i; 0 .. tcs.catches.dim) { Catch c = (*tcs.catches)[i]; /* If catch exception type is derived from Exception */ if (c.type.toBasetype().implicitConvTo(ClassDeclaration.exception.type) && (!c.handler || !c.handler.comeFrom())) { // Remove c from the array of catches tcs.catches.remove(i); } } } if (tcs.catches.dim == 0) { result = tcs._body.hasCode() ? tcs._body : null; return; } result = tcs; } override void visit(TryFinallyStatement tfs) { //printf("TryFinallyStatement::semantic()\n"); tfs._body = tfs._body.semantic(sc); sc = sc.push(); sc.tf = tfs; sc.sbreak = null; sc.scontinue = null; // no break or continue out of finally block tfs.finalbody = tfs.finalbody.semanticNoScope(sc); sc.pop(); if (!tfs._body) { result = tfs.finalbody; return; } if (!tfs.finalbody) { result = tfs._body; return; } if (tfs._body.blockExit(sc.func, false) == BEfallthru) { result = new CompoundStatement(tfs.loc, tfs._body, tfs.finalbody); return; } result = tfs; } override void visit(OnScopeStatement oss) { static if (!IN_GCC) { if (oss.tok != TOKon_scope_exit) { // scope(success) and scope(failure) are rewritten to try-catch(-finally) statement, // so the generated catch block cannot be placed in finally block. // See also Catch::semantic. if (sc.os && sc.os.tok != TOKon_scope_failure) { // If enclosing is scope(success) or scope(exit), this will be placed in finally block. oss.error("cannot put %s statement inside %s", Token.toChars(oss.tok), Token.toChars(sc.os.tok)); return setError(); } if (sc.tf) { oss.error("cannot put %s statement inside finally block", Token.toChars(oss.tok)); return setError(); } } } sc = sc.push(); sc.tf = null; sc.os = oss; if (oss.tok != TOKon_scope_failure) { // Jump out from scope(failure) block is allowed. sc.sbreak = null; sc.scontinue = null; } oss.statement = oss.statement.semanticNoScope(sc); sc.pop(); if (!oss.statement || oss.statement.isErrorStatement()) { result = oss.statement; return; } result = oss; } override void visit(ThrowStatement ts) { //printf("ThrowStatement::semantic()\n"); FuncDeclaration fd = sc.parent.isFuncDeclaration(); fd.hasReturnExp |= 2; ts.exp = ts.exp.semantic(sc); ts.exp = resolveProperties(sc, ts.exp); ts.exp = checkGC(sc, ts.exp); if (ts.exp.op == TOKerror) return setError(); ClassDeclaration cd = ts.exp.type.toBasetype().isClassHandle(); if (!cd || ((cd != ClassDeclaration.throwable) && !ClassDeclaration.throwable.isBaseOf(cd, null))) { ts.error("can only throw class objects derived from Throwable, not type %s", ts.exp.type.toChars()); return setError(); } result = ts; } override void visit(DebugStatement ds) { if (ds.statement) { sc = sc.push(); sc.flags |= SCOPEdebug; ds.statement = ds.statement.semantic(sc); sc.pop(); } result = ds.statement; } override void visit(GotoStatement gs) { //printf("GotoStatement::semantic()\n"); FuncDeclaration fd = sc.func; gs.ident = fixupLabelName(sc, gs.ident); gs.label = fd.searchLabel(gs.ident); gs.tf = sc.tf; gs.os = sc.os; gs.lastVar = sc.lastVar; if (!gs.label.statement && sc.fes) { /* Either the goto label is forward referenced or it * is in the function that the enclosing foreach is in. * Can't know yet, so wrap the goto in a scope statement * so we can patch it later, and add it to a 'look at this later' * list. */ auto ss = new ScopeStatement(gs.loc, gs, gs.loc); sc.fes.gotos.push(ss); // 'look at this later' list result = ss; return; } // Add to fwdref list to check later if (!gs.label.statement) { if (!fd.gotos) fd.gotos = new GotoStatements(); fd.gotos.push(gs); } else if (gs.checkLabel()) return setError(); result = gs; } override void visit(LabelStatement ls) { //printf("LabelStatement::semantic()\n"); FuncDeclaration fd = sc.parent.isFuncDeclaration(); ls.ident = fixupLabelName(sc, ls.ident); ls.tf = sc.tf; ls.os = sc.os; ls.lastVar = sc.lastVar; LabelDsymbol ls2 = fd.searchLabel(ls.ident); if (ls2.statement) { ls.error("label '%s' already defined", ls2.toChars()); return setError(); } else ls2.statement = ls; sc = sc.push(); sc.scopesym = sc.enclosing.scopesym; sc.callSuper |= CSXlabel; if (sc.fieldinit) { size_t dim = sc.fieldinit_dim; foreach (i; 0 .. dim) sc.fieldinit[i] |= CSXlabel; } sc.slabel = ls; if (ls.statement) ls.statement = ls.statement.semantic(sc); sc.pop(); result = ls; } override void visit(AsmStatement s) { result = asmSemantic(s, sc); } override void visit(CompoundAsmStatement cas) { foreach (ref s; *cas.statements) { s = s ? s.semantic(sc) : null; } assert(sc.func); // use setImpure/setGC when the deprecation cycle is over PURE purity; if (!(cas.stc & STCpure) && (purity = sc.func.isPureBypassingInference()) != PUREimpure && purity != PUREfwdref) cas.deprecation("asm statement is assumed to be impure - mark it with 'pure' if it is not"); if (!(cas.stc & STCnogc) && sc.func.isNogcBypassingInference()) cas.deprecation("asm statement is assumed to use the GC - mark it with '@nogc' if it does not"); if (!(cas.stc & (STCtrusted | STCsafe)) && sc.func.setUnsafe()) cas.error("asm statement is assumed to be @system - mark it with '@trusted' if it is not"); result = cas; } override void visit(ImportStatement imps) { foreach (i; 0 .. imps.imports.dim) { Import s = (*imps.imports)[i].isImport(); assert(!s.aliasdecls.dim); foreach (j, name; s.names) { Identifier _alias = s.aliases[j]; if (!_alias) _alias = name; auto tname = new TypeIdentifier(s.loc, name); auto ad = new AliasDeclaration(s.loc, _alias, tname); ad._import = s; s.aliasdecls.push(ad); } s.semantic(sc); Module.addDeferredSemantic2(s); // Bugzilla 14666 sc.insert(s); foreach (aliasdecl; s.aliasdecls) { sc.insert(aliasdecl); } } result = imps; } } Statement semantic(Statement s, Scope* sc) { scope v = new StatementSemanticVisitor(sc); s.accept(v); return v.result; } void semantic(Catch c, Scope* sc) { //printf("Catch::semantic(%s)\n", ident->toChars()); static if (!IN_GCC) { if (sc.os && sc.os.tok != TOKon_scope_failure) { // If enclosing is scope(success) or scope(exit), this will be placed in finally block. error(c.loc, "cannot put catch statement inside %s", Token.toChars(sc.os.tok)); c.errors = true; } if (sc.tf) { /* This is because the _d_local_unwind() gets the stack munged * up on this. The workaround is to place any try-catches into * a separate function, and call that. * To fix, have the compiler automatically convert the finally * body into a nested function. */ error(c.loc, "cannot put catch statement inside finally block"); c.errors = true; } } auto sym = new ScopeDsymbol(); sym.parent = sc.scopesym; sc = sc.push(sym); if (!c.type) { deprecation(c.loc, "catch statement without an exception " ~ "specification is deprecated; use catch(Throwable) for old behavior"); // reference .object.Throwable c.type = getThrowable(); } c.type = c.type.semantic(c.loc, sc); if (c.type == Type.terror) c.errors = true; else { auto cd = c.type.toBasetype().isClassHandle(); if (!cd) { error(c.loc, "can only catch class objects, not '%s'", c.type.toChars()); c.errors = true; } else if (cd.isCPPclass()) { if (!Target.cppExceptions) { error(c.loc, "catching C++ class objects not supported for this target"); c.errors = true; } if (sc.func && !sc.intypeof && !c.internalCatch && sc.func.setUnsafe()) { error(c.loc, "cannot catch C++ class objects in @safe code"); c.errors = true; } } else if (cd != ClassDeclaration.throwable && !ClassDeclaration.throwable.isBaseOf(cd, null)) { error(c.loc, "can only catch class objects derived from Throwable, not '%s'", c.type.toChars()); c.errors = true; } else if (sc.func && !sc.intypeof && !c.internalCatch && cd != ClassDeclaration.exception && !ClassDeclaration.exception.isBaseOf(cd, null) && sc.func.setUnsafe()) { error(c.loc, "can only catch class objects derived from Exception in @safe code, not '%s'", c.type.toChars()); c.errors = true; } if (c.ident) { c.var = new VarDeclaration(c.loc, c.type, c.ident, null); c.var.semantic(sc); sc.insert(c.var); } c.handler = c.handler.semantic(sc); if (c.handler && c.handler.isErrorStatement()) c.errors = true; } sc.pop(); } Statement semanticNoScope(Statement s, Scope* sc) { //printf("Statement::semanticNoScope() %s\n", toChars()); if (!s.isCompoundStatement() && !s.isScopeStatement()) { s = new CompoundStatement(s.loc, s); // so scopeCode() gets called } s = s.semantic(sc); return s; } // Same as semanticNoScope(), but do create a new scope Statement semanticScope(Statement s, Scope* sc, Statement sbreak, Statement scontinue) { auto sym = new ScopeDsymbol(); sym.parent = sc.scopesym; Scope* scd = sc.push(sym); if (sbreak) scd.sbreak = sbreak; if (scontinue) scd.scontinue = scontinue; s = s.semanticNoScope(scd); scd.pop(); return s; }
D
/////////////////////////////////////////////////////////////////////// // Info EXIT /////////////////////////////////////////////////////////////////////// INSTANCE DIA_Gaan_EXIT (C_INFO) { npc = BAU_961_Gaan; nr = 999; condition = DIA_Gaan_EXIT_Condition; information = DIA_Gaan_EXIT_Info; permanent = TRUE; description = DIALOG_ENDE; }; var int DIA_Gaan_EXIT_oneTime; FUNC INT DIA_Gaan_EXIT_Condition() { return TRUE; }; FUNC VOID DIA_Gaan_EXIT_Info() { AI_StopProcessInfos (self); if (DIA_Gaan_EXIT_oneTime == FALSE) { Npc_ExchangeRoutine (self,"Start"); DIA_Gaan_EXIT_oneTime = TRUE; }; }; /////////////////////////////////////////////////////////////////////// // Info MeetingIsRunning /////////////////////////////////////////////////////////////////////// instance DIA_Addon_Gaan_MeetingIsRunning (C_INFO) { npc = BAU_961_Gaan; nr = 1; condition = DIA_Addon_Gaan_MeetingIsRunning_Condition; information = DIA_Addon_Gaan_MeetingIsRunning_Info; important = TRUE; permanent = TRUE; }; func int DIA_Addon_Gaan_MeetingIsRunning_Condition () { if (Npc_IsInState (self,ZS_Talk)) && (RangerMeetingRunning == LOG_RUNNING) { return TRUE; }; }; var int DIA_Addon_Gaan_MeetingIsRunning_One_time; func void DIA_Addon_Gaan_MeetingIsRunning_Info () { if (DIA_Addon_Gaan_MeetingIsRunning_One_time == FALSE) { AI_Output (self, other, "DIA_Addon_Gaan_MeetingIsRunning_03_00"); //Nováček. Vítej v 'Kruhu vody'. DIA_Addon_Gaan_MeetingIsRunning_One_time = TRUE; } else { AI_Output (self, other, "DIA_Addon_Gaan_MeetingIsRunning_03_01"); //Vatras se po tobę ptal, męl bys ho navštívit. }; AI_StopProcessInfos (self); }; /////////////////////////////////////////////////////////////////////// // Info Hallo /////////////////////////////////////////////////////////////////////// instance DIA_Gaan_HALLO (C_INFO) { npc = BAU_961_Gaan; nr = 3; condition = DIA_Gaan_HALLO_Condition; information = DIA_Gaan_HALLO_Info; description = "Tady nahoâe je docela hezky."; }; func int DIA_Gaan_HALLO_Condition () { return TRUE; }; func void DIA_Gaan_HALLO_Info () { AI_Output (other, self, "DIA_Gaan_HALLO_15_00"); //Tady nahoâe je docela hezky. AI_Output (self, other, "DIA_Gaan_HALLO_03_01"); //Je to tu docela pękné. Ale jakmile projdeš tím průsmykem támhle, pâestaneš si to myslet. AI_Output (self, other, "DIA_Gaan_HALLO_03_02"); //Jestli na tebe tenhle kus zemę udęlal dojem, tak počkej, co pak uvidíš v Hornickém údolí. }; /////////////////////////////////////////////////////////////////////// // Info Wasmachstdu /////////////////////////////////////////////////////////////////////// instance DIA_Gaan_WASMACHSTDU (C_INFO) { npc = BAU_961_Gaan; nr = 4; condition = DIA_Gaan_WASMACHSTDU_Condition; information = DIA_Gaan_WASMACHSTDU_Info; description = "Kdo jsi?"; }; func int DIA_Gaan_WASMACHSTDU_Condition () { if (Npc_KnowsInfo(other, DIA_Gaan_HALLO)) && (self.aivar[AIV_TalkedToPlayer] == FALSE) && (RangerMeetingRunning != LOG_SUCCESS) { return TRUE; }; }; func void DIA_Gaan_WASMACHSTDU_Info () { AI_Output (other, self, "DIA_Gaan_WASMACHSTDU_15_00"); //Kdo jsi? AI_Output (self, other, "DIA_Gaan_WASMACHSTDU_03_01"); //Jmenuju se Gaan. Jsem lovec a pracuju pro Bengara. Farmaâí tady na náhorních pastvinách. AI_Output (self, other, "DIA_Gaan_WASMACHSTDU_03_02"); //Trávím tady venku vętšinu svého času a vyhâívám se na slunci. }; /////////////////////////////////////////////////////////////////////// // Info Ranger /////////////////////////////////////////////////////////////////////// instance DIA_Addon_Gaan_Ranger (C_INFO) { npc = BAU_961_Gaan; nr = 2; condition = DIA_Addon_Gaan_Ranger_Condition; information = DIA_Addon_Gaan_Ranger_Info; description = "Proč ten vážný obličej?"; }; func int DIA_Addon_Gaan_Ranger_Condition () { if (Npc_KnowsInfo (other, DIA_Gaan_HALLO)) && (SCIsWearingRangerRing == TRUE) && (RangerMeetingRunning == 0) { return TRUE; }; }; func void DIA_Addon_Gaan_Ranger_Info () { AI_Output (other, self, "DIA_Addon_Gaan_Ranger_15_00"); //Proč ten vážný obličej? AI_Output (self, other, "DIA_Addon_Gaan_Ranger_03_01"); //Nosíš náš akvamarínový prsten. AI_Output (other, self, "DIA_Addon_Gaan_Ranger_15_02"); //Patâíš ke 'Kruhu vody'. AI_Output (self, other, "DIA_Addon_Gaan_Ranger_03_03"); //Skvęle. Rád vidím nováčky v našem spolku. B_GivePlayerXP (XP_Ambient); }; /////////////////////////////////////////////////////////////////////// // Info AufgabeBeimRing /////////////////////////////////////////////////////////////////////// instance DIA_Addon_Gaan_AufgabeBeimRing (C_INFO) { npc = BAU_961_Gaan; nr = 2; condition = DIA_Addon_Gaan_AufgabeBeimRing_Condition; information = DIA_Addon_Gaan_AufgabeBeimRing_Info; description = "Jakou máš funci v 'Kruhu vody'?"; }; func int DIA_Addon_Gaan_AufgabeBeimRing_Condition () { if ((Npc_KnowsInfo (other, DIA_Addon_Gaan_Ranger)) || (RangerMeetingRunning != 0)) && (Kapitel < 3) { return TRUE; }; }; func void DIA_Addon_Gaan_AufgabeBeimRing_Info () { AI_Output (other, self, "DIA_Addon_Gaan_AufgabeBeimRing_15_00"); //Jakou máš funci v 'Kruhu vody'? AI_Output (self, other, "DIA_Addon_Gaan_AufgabeBeimRing_03_01"); //Hlídal jsem vchod do průsmyku a kontroloval kdo jde dovnitâ a kdo leze ven. AI_Output (self, other, "DIA_Addon_Gaan_AufgabeBeimRing_03_02"); //Ale nęjací paladinové se sem nastęhovali, že si to prej ohlídaj a od tý doby se tam pohybuje míŕ lidí. }; /////////////////////////////////////////////////////////////////////// // Info MissingPeople /////////////////////////////////////////////////////////////////////// instance DIA_Addon_Gaan_MissingPeople (C_INFO) { npc = BAU_961_Gaan; nr = 2; condition = DIA_Addon_Gaan_MissingPeople_Condition; information = DIA_Addon_Gaan_MissingPeople_Info; description = "Slyšel jsi nęco o hledyných lidech?"; }; func int DIA_Addon_Gaan_MissingPeople_Condition () { if (Npc_KnowsInfo (other, DIA_Addon_Gaan_AufgabeBeimRing)) && (SC_HearedAboutMissingPeople == TRUE) { return TRUE; }; }; func void DIA_Addon_Gaan_MissingPeople_Info () { AI_Output (other, self, "DIA_Addon_Gaan_MissingPeople_15_00"); //Slyšel jsi nęco o hledyných lidech? AI_Output (self, other, "DIA_Addon_Gaan_MissingPeople_03_01"); //Jistę. Každý dęlá všechno pro to, aby je nemusel navštívit. AI_Output (self, other, "DIA_Addon_Gaan_MissingPeople_03_02"); //Ale já jsem v klidu, nevidęl jsem tu nic podezâelého. }; /////////////////////////////////////////////////////////////////////// // Info wald /////////////////////////////////////////////////////////////////////// instance DIA_Gaan_WALD (C_INFO) { npc = BAU_961_Gaan; nr = 5; condition = DIA_Gaan_WALD_Condition; information = DIA_Gaan_WALD_Info; description = "Co bych męl vędęt o Hornickém údolí?"; }; func int DIA_Gaan_WALD_Condition () { return TRUE; }; func void DIA_Gaan_WALD_Info () { AI_Output (other, self, "DIA_Gaan_WALD_15_00"); //Co bych męl vędęt o Hornickém údolí? AI_Output (self, other, "DIA_Gaan_WALD_03_01"); //Tak to nevím. Byl jsem tam jen na skok. Vypadá to tam pęknę nebezpečnę. AI_Output (self, other, "DIA_Gaan_WALD_03_02"); //Nejlepší vęc, jakou můžeš udęlat, je držet se po vstupu do průsmyku vyšlapané stezky. AI_Output (self, other, "DIA_Gaan_WALD_03_03"); //Buë můžeš jít velkou strží, nebo po cestę pâes most. Je to kratší a bezpečnęjší. AI_Output (self, other, "DIA_Gaan_WALD_03_04"); //Teë, když se to všude hemží skâety, musíš být hodnę opatrný. AI_Output (self, other, "DIA_Gaan_WALD_03_05"); //Nerad bych tę táhnul k bylinkáâce. }; /////////////////////////////////////////////////////////////////////// // Info sagitta /////////////////////////////////////////////////////////////////////// instance DIA_Gaan_SAGITTA (C_INFO) { npc = BAU_961_Gaan; nr = 7; condition = DIA_Gaan_SAGITTA_Condition; information = DIA_Gaan_SAGITTA_Info; description = "Bylinkáâce?"; }; func int DIA_Gaan_SAGITTA_Condition () { if (Npc_KnowsInfo(other, DIA_Gaan_WALD)) { return TRUE; }; }; func void DIA_Gaan_SAGITTA_Info () { AI_Output (other, self, "DIA_Gaan_SAGITTA_15_00"); //Bylinkáâce? AI_Output (self, other, "DIA_Gaan_SAGITTA_03_01"); //Jmenuje se Sagitta. Léčí farmáâe a ostatní lidi, co žijí mimo męsto. AI_Output (self, other, "DIA_Gaan_SAGITTA_03_02"); //Vážnę podivná ženština. AI_Output (self, other, "DIA_Gaan_SAGITTA_03_03"); //Nikdo za ní ve skutečnosti nechce chodit a všichni o ní rozšiâují různé fámy. AI_Output (self, other, "DIA_Gaan_SAGITTA_03_04"); //Ale když je ti zle, nenajdeš nic lepšího než Sagittu a její kuchyŕ plnou léčivých bylin. AI_Output (self, other, "DIA_Gaan_SAGITTA_03_05"); //Najdeš ji v tom pruhu lesa za Sekobovou farmou. }; /////////////////////////////////////////////////////////////////////// // Info monster /////////////////////////////////////////////////////////////////////// instance DIA_Gaan_MONSTER (C_INFO) { npc = BAU_961_Gaan; nr = 8; condition = DIA_Gaan_MONSTER_Condition; information = DIA_Gaan_MONSTER_Info; description = "Jak ta nebezpečná bestie vypadá?"; }; func int DIA_Gaan_MONSTER_Condition () { if ( (MIS_Gaan_Snapper == LOG_RUNNING) &&((Npc_IsDead(Gaans_Snapper))== FALSE) ) { return TRUE; }; }; func void DIA_Gaan_MONSTER_Info () { AI_Output (other, self, "DIA_Gaan_MONSTER_15_00"); //Jak ta nebezpečná bestie vypadá? AI_Output (self, other, "DIA_Gaan_MONSTER_03_01"); //Poâádnę nevím. Až doteë jsem jen slyšel vrčení a škrábání. Ale dokážu si pâedstavit, co ty zvuky vydávalo. AI_Output (self, other, "DIA_Gaan_MONSTER_03_02"); //Pâed tím nejsou v bezpečí ani vlci. Ta bestie už je do jednoho vyvraždila. }; /////////////////////////////////////////////////////////////////////// // Info monster /////////////////////////////////////////////////////////////////////// instance DIA_Gaan_WASZAHLSTDU (C_INFO) { npc = BAU_961_Gaan; nr = 9; condition = DIA_Gaan_WASZAHLSTDU_Condition; information = DIA_Gaan_WASZAHLSTDU_Info; description = "Kolik mi dáš, když tu bestii zabiju?"; }; func int DIA_Gaan_WASZAHLSTDU_Condition () { if ( (Npc_KnowsInfo(other, DIA_Gaan_MONSTER)) &&((Npc_IsDead(Gaans_Snapper))== FALSE) ) { return TRUE; }; }; func void DIA_Gaan_WASZAHLSTDU_Info () { AI_Output (other, self, "DIA_Gaan_WASZAHLSTDU_15_00"); //Kolik mi dáš, když tu bestii zabiju? AI_Output (self, other, "DIA_Gaan_WASZAHLSTDU_03_01"); //Nękomu, kdo to zabije, bych dal všechno, co můžu postrádat. //AI_Output (self, other, "DIA_Gaan_WASZAHLSTDU_03_02"); //30 Goldmünzen? //Auskommentiert, weil "?" ist auch so gesprochen worden - kommt nicht gut B_Say_Gold (self,other,30); MIS_Gaan_Deal = LOG_RUNNING; }; /////////////////////////////////////////////////////////////////////// // Info wohermonster /////////////////////////////////////////////////////////////////////// instance DIA_Gaan_WOHERMONSTER (C_INFO) { npc = BAU_961_Gaan; nr = 10; condition = DIA_Gaan_WOHERMONSTER_Condition; information = DIA_Gaan_WOHERMONSTER_Info; description = "Kde ta zatracená bestie žije?"; }; func int DIA_Gaan_WOHERMONSTER_Condition () { if ( (Npc_KnowsInfo(other, DIA_Gaan_MONSTER)) &&((Npc_IsDead(Gaans_Snapper))== FALSE) ) { return TRUE; }; }; func void DIA_Gaan_WOHERMONSTER_Info () { AI_Output (other, self, "DIA_Gaan_WOHERMONSTER_15_00"); //Kde ta zatracená bestie žije? AI_Output (self, other, "DIA_Gaan_WOHERMONSTER_03_01"); //Nękde mimo les. Možná sem chodí z Hornického údolí. Ale nejsem si tím jistý. AI_Output (self, other, "DIA_Gaan_WOHERMONSTER_03_02"); //Nikdy jsem v Hornickém údolí nebyl. }; /////////////////////////////////////////////////////////////////////// // Info MonsterTot /////////////////////////////////////////////////////////////////////// instance DIA_Gaan_MONSTERTOT (C_INFO) { npc = BAU_961_Gaan; nr = 11; condition = DIA_Gaan_MONSTERTOT_Condition; information = DIA_Gaan_MONSTERTOT_Info; important = TRUE; }; func int DIA_Gaan_MONSTERTOT_Condition () { if ((Npc_IsDead(Gaans_Snapper))== TRUE) && (RangerMeetingRunning != LOG_RUNNING) { return TRUE; }; }; func void DIA_Gaan_MONSTERTOT_Info () { AI_Output (self, other, "DIA_Gaan_MONSTERTOT_03_00"); //To odporné zvíâe je mrtvé. AI_Output (self, other, "DIA_Gaan_MONSTERTOT_03_01"); //Tak to zase můžu bez obav začít lovit. if (MIS_Gaan_Deal == LOG_RUNNING) { AI_Output (self, other, "DIA_Gaan_MONSTERTOT_03_02"); //Tady jsou peníze, co jsem ti slíbil. CreateInvItems (self, ItMi_Gold, 30); B_GiveInvItems (self, other, ItMi_Gold, 30); }; MIS_Gaan_Snapper = LOG_SUCCESS; B_GivePlayerXP (XP_Gaan_WaldSnapper); AI_StopProcessInfos (self); }; // ************************************************************ // ASK TEACHER // ************************************************************ INSTANCE DIA_Gaan_AskTeacher (C_INFO) { npc = BAU_961_Gaan; nr = 10; condition = DIA_Gaan_AskTeacher_Condition; information = DIA_Gaan_AskTeacher_Info; description = "Můžeš mę naučit nęco o lovu?"; }; FUNC INT DIA_Gaan_AskTeacher_Condition() { return TRUE; }; FUNC VOID DIA_Gaan_AskTeacher_Info() { AI_Output(other,self,"DIA_Gaan_AskTeacher_15_00"); //Můžeš mę naučit nęco o lovu? AI_Output(self,other,"DIA_Gaan_AskTeacher_03_01"); //Žádný problém. Za 100 zlatých ti ukážu, jak vyvrhnout zvíâata, co jsi skolil. AI_Output(self,other,"DIA_Gaan_AskTeacher_03_02"); //Kožešiny a ostatní trofeje ti na trhu vydęlají spoustu penęz. Log_CreateTopic (TOPIC_Teacher, LOG_NOTE); B_LogEntry (TOPIC_Teacher, "Gaan naučí, jak získat trofeje ze zvíâat."); }; // ************************************************************ // PAY TEACHER // ************************************************************ INSTANCE DIA_Gaan_PayTeacher (C_INFO) { npc = BAU_961_Gaan; nr = 11; condition = DIA_Gaan_PayTeacher_Condition; information = DIA_Gaan_PayTeacher_Info; permanent = TRUE; description = "Tady. 100 zlatých za tvůj výklad o vyvrhování zvíâat."; }; var int DIA_Gaan_PayTeacher_noPerm; FUNC INT DIA_Gaan_PayTeacher_Condition() { if (Npc_KnowsInfo (other, DIA_Gaan_AskTeacher)) && (DIA_Gaan_PayTeacher_noPerm == FALSE) { return TRUE; }; }; FUNC VOID DIA_Gaan_PayTeacher_Info() { AI_Output(other,self,"DIA_Gaan_PayTeacher_15_00"); //Tady. 100 zlatých za tvůj výklad o vyvrhování zvíâat. if (B_GiveInvItems (other, self, ItMi_Gold, 100)) { AI_Output(self,other,"DIA_Gaan_PayTeacher_03_01"); //Díky. Tak se mi to líbí. Gaan_TeachPlayer = TRUE; DIA_Gaan_PayTeacher_noPerm = TRUE; } else { AI_Output(self,other,"DIA_Gaan_PayTeacher_03_02"); //Pâijë pozdęji, až budeš mít nęjaké peníze. }; }; /////////////////////////////////////////////////////////////////////// // Info TeachHunting /////////////////////////////////////////////////////////////////////// instance DIA_Gaan_TEACHHUNTING (C_INFO) { npc = BAU_961_Gaan; nr = 12; condition = DIA_Gaan_TEACHHUNTING_Condition; information = DIA_Gaan_TEACHHUNTING_Info; permanent = TRUE; description = "Co mę můžeš naučit?"; }; func int DIA_Gaan_TEACHHUNTING_Condition () { if (Gaan_TeachPlayer == TRUE) { return TRUE; }; }; func void DIA_Gaan_TEACHHUNTING_Info () { AI_Output (other, self, "DIA_Gaan_TEACHHUNTING_15_00"); //Co mę můžeš naučit? if ( (PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_Claws] == FALSE) ||(PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_Fur] == FALSE) ||(PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_BFSting] == FALSE) ||(PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_BFWing] == FALSE) ||(PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_Teeth] == FALSE) ||((PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_DrgSnapperHorn] == FALSE) && (MIS_Gaan_Snapper == LOG_SUCCESS)) ) { AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_03_01"); //To záleží na tom, co chceš vędęt. Info_AddChoice (DIA_Gaan_TEACHHUNTING, DIALOG_BACK, DIA_Gaan_TEACHHUNTING_BACK); if (PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_Teeth] == FALSE) { Info_AddChoice (DIA_Gaan_TEACHHUNTING, B_BuildLearnString ("Vyjmutí zubů",B_GetLearnCostTalent (other,NPC_TALENT_TAKEANIMALTROPHY, TROPHY_Teeth)), DIA_Gaan_TEACHHUNTING_Teeth); }; if (PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_Claws] == FALSE) { Info_AddChoice (DIA_Gaan_TEACHHUNTING, B_BuildLearnString ("Vyjmutí drápů",B_GetLearnCostTalent (other,NPC_TALENT_TAKEANIMALTROPHY, TROPHY_Claws)), DIA_Gaan_TEACHHUNTING_Claws); }; if (PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_Fur] == FALSE) { Info_AddChoice (DIA_Gaan_TEACHHUNTING, B_BuildLearnString ("Stažení z kůže",B_GetLearnCostTalent (other,NPC_TALENT_TAKEANIMALTROPHY, TROPHY_Fur)), DIA_Gaan_TEACHHUNTING_Fur); }; if (PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_BFSting] == FALSE) { Info_AddChoice (DIA_Gaan_TEACHHUNTING, B_BuildLearnString ("Žihadla krvavých much",B_GetLearnCostTalent (other,NPC_TALENT_TAKEANIMALTROPHY, TROPHY_BFSting)), DIA_Gaan_TEACHHUNTING_BFSting); }; if (PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_BFWing] == FALSE) { Info_AddChoice (DIA_Gaan_TEACHHUNTING, B_BuildLearnString ("Kâídla krvavých much",B_GetLearnCostTalent (other,NPC_TALENT_TAKEANIMALTROPHY, TROPHY_BFWing)), DIA_Gaan_TEACHHUNTING_BFWing); }; if (PLAYER_TALENT_TAKEANIMALTROPHY [TROPHY_DrgSnapperHorn] == FALSE) && (MIS_Gaan_Snapper == LOG_SUCCESS) { Info_AddChoice (DIA_Gaan_TEACHHUNTING, B_BuildLearnString ("Roh dračího chŕapavce",B_GetLearnCostTalent (other,NPC_TALENT_TAKEANIMALTROPHY, TROPHY_DrgSnapperHorn)), DIA_Gaan_TEACHHUNTING_DrgSnapperHorn); }; } else { AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_03_02"); //Teë už tę nemůžu naučit nic, co bys ještę neznal. Promiŕ. }; }; func void DIA_Gaan_TEACHHUNTING_BACK() { Info_ClearChoices (DIA_Gaan_TEACHHUNTING); }; // ------ Klauen hacken ------ func void DIA_Gaan_TEACHHUNTING_Claws() { if (B_TeachPlayerTalentTakeAnimalTrophy (self, other, TROPHY_Claws)) { AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_Claws_03_00"); //Zvíâata o své drápy pâicházejí opravdu nerada. Âez musíš vést velmi pâesnę. AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_Claws_03_01"); //Tvé ruce by se męly lehce pâekrývat. Pak silným trhnutím dráp oddęl od okolní tkánę. AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_Claws_03_02"); //Obchodníci se mohou vždycky pâetrhnout, aby za drápy vysolili pęknou sumičku. }; Info_ClearChoices (DIA_Gaan_TEACHHUNTING); Info_AddChoice (DIA_Gaan_TEACHHUNTING, DIALOG_BACK, DIA_Gaan_TEACHHUNTING_BACK); }; // ------ Fell abziehen ------ func void DIA_Gaan_TEACHHUNTING_Teeth() { if (B_TeachPlayerTalentTakeAnimalTrophy (self, other, TROPHY_Teeth)) { AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_Teeth_03_00"); //Nejsnadnęji se z mrtvých zvíâat získávají zuby. Âez musíš v jejich tlamę vést tęsnę kolem nich. AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_Teeth_03_01"); //Pak je silným trhnutím oddęlíš od lebky. }; Info_ClearChoices (DIA_Gaan_TEACHHUNTING); Info_AddChoice (DIA_Gaan_TEACHHUNTING, DIALOG_BACK, DIA_Gaan_TEACHHUNTING_BACK); }; // ------ Fell abziehen ------ func void DIA_Gaan_TEACHHUNTING_Fur() { if (B_TeachPlayerTalentTakeAnimalTrophy (self, other, TROPHY_Fur)) { AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_Fur_03_00"); //Nejlepší způsob, jak získat kožešinu, je vést hluboký âez podél končetin. AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_Fur_03_01"); //Pak už je hračka stáhnout kůži od hlavy k ocasu. }; Info_ClearChoices (DIA_Gaan_TEACHHUNTING); Info_AddChoice (DIA_Gaan_TEACHHUNTING, DIALOG_BACK, DIA_Gaan_TEACHHUNTING_BACK); }; // ------ Blutfliegenstachel ------ func void DIA_Gaan_TEACHHUNTING_BFSting() { if (B_TeachPlayerTalentTakeAnimalTrophy (self, other, TROPHY_BFSting)) { AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_BFSting_03_00"); //Tyhle mouchy mají na hâbetę mękké místo. AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_BFSting_03_01"); //Když na nęj zatlačíš, vytlačí se žihadlo daleko ze zadečku a pak ho stačí oddęlit nožem. }; Info_ClearChoices (DIA_Gaan_TEACHHUNTING); Info_AddChoice (DIA_Gaan_TEACHHUNTING, DIALOG_BACK, DIA_Gaan_TEACHHUNTING_BACK); }; // ------ Blutfliegenflügel ------ func void DIA_Gaan_TEACHHUNTING_BFWing () { if (B_TeachPlayerTalentTakeAnimalTrophy (self, other, TROPHY_BFWing)) { AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_BFWing_03_00"); //Nejlepší způsob, jak oddęlit kâídla od tęla, je odâíznout je ostrým nožem tęsnę nad hrudí. AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_BFWing_03_01"); //Musíš si dávat velký pozor, abys nepoškodil velmi jemnou tkáŕ kâídel. Pokud budeš pâi jejich oddęlování neopatrný, získáš akorát bezcennou hromadu smetí. }; Info_ClearChoices (DIA_Gaan_TEACHHUNTING); Info_AddChoice (DIA_Gaan_TEACHHUNTING, DIALOG_BACK, DIA_Gaan_TEACHHUNTING_BACK); }; // ------ DrgSnapperHorn ------ func void DIA_Gaan_TEACHHUNTING_DrgSnapperHorn() { if (B_TeachPlayerTalentTakeAnimalTrophy (self, other, TROPHY_DrgSnapperHorn)) { AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_DrgSnapperHorn_03_00"); //Teë, když je ten pâerostlý chŕapavec mrtvý, ti můžu ukázat, jak získat jeho roh. AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_DrgSnapperHorn_03_01"); //Zanoâíš nůž hluboko do čela a opatrnę tu vęc vypáčíš nahoru. AI_Output (self, other, "DIA_Gaan_TEACHHUNTING_DrgSnapperHorn_03_02"); //Pokud to nepůjde oddęlit od lebky, použij ještę další nůž z druhé strany. CreateInvItems (Gaans_Snapper, ItAt_DrgSnapperHorn, 1); //falls der Snapper ihm gerade vor den Füssen liegt!! }; Info_ClearChoices (DIA_Gaan_TEACHHUNTING); Info_AddChoice (DIA_Gaan_TEACHHUNTING, DIALOG_BACK, DIA_Gaan_TEACHHUNTING_BACK); }; /////////////////////////////////////////////////////////////////////// // Info jagd /////////////////////////////////////////////////////////////////////// instance DIA_Gaan_JAGD (C_INFO) { npc = BAU_961_Gaan; nr = 80; condition = DIA_Gaan_JAGD_Condition; information = DIA_Gaan_JAGD_Info; permanent = TRUE; description = "Jak jde lov?"; }; func int DIA_Gaan_JAGD_Condition () { return TRUE; }; func void B_WasMachtJagd () { AI_Output (other, self, "DIA_Gaan_JAGD_15_00"); //Jak jde lov? }; func void DIA_Gaan_JAGD_Info () { B_WasMachtJagd (); if ((Npc_IsDead(Gaans_Snapper))== FALSE) { AI_Output (self, other, "DIA_Gaan_JAGD_03_01"); //Poslední zvíâe, co se mi podaâilo zabít, byla velká krysa. Nic extra a navíc z toho nic nekápne. AI_Output (self, other, "DIA_Gaan_JAGD_03_02"); //Posledních nękolik dní se tu potuluje nęjaká ufunęná bestie. AI_Output (self, other, "DIA_Gaan_JAGD_03_03"); //Nejen, že zabíjí všechno, co se hýbe, ale taky mi kazí moji práci. Log_CreateTopic (TOPIC_GaanSchnaubi, LOG_MISSION); Log_SetTopicStatus(TOPIC_GaanSchnaubi, LOG_RUNNING); B_LogEntry (TOPIC_GaanSchnaubi,"Lovce Gaana trápí nęjaká podivná nestvůra. Dokud ji nezabiju, nebude moci dál lovit."); MIS_Gaan_Snapper = LOG_RUNNING; } else if (Kapitel >= 3) { AI_Output (self, other, "DIA_Gaan_JAGD_03_04"); //Začíná tu být pękný blázinec. Z průsmyku už se sem mezitím stihla nahrnout spousta tęch funících zvíâat. AI_Output (self, other, "DIA_Gaan_JAGD_03_05"); //Za tęchto okolností je lov čím dál tím obtížnęjší. } else { AI_Output (self, other, "DIA_Gaan_JAGD_03_06"); //Nemůžu si stęžovat. }; }; // ************************************************************ // PICK POCKET // ************************************************************ INSTANCE DIA_Gaan_PICKPOCKET (C_INFO) { npc = BAU_961_Gaan; nr = 900; condition = DIA_Gaan_PICKPOCKET_Condition; information = DIA_Gaan_PICKPOCKET_Info; permanent = TRUE; description = Pickpocket_40; }; FUNC INT DIA_Gaan_PICKPOCKET_Condition() { C_Beklauen (23, 35); }; FUNC VOID DIA_Gaan_PICKPOCKET_Info() { Info_ClearChoices (DIA_Gaan_PICKPOCKET); Info_AddChoice (DIA_Gaan_PICKPOCKET, DIALOG_BACK ,DIA_Gaan_PICKPOCKET_BACK); Info_AddChoice (DIA_Gaan_PICKPOCKET, DIALOG_PICKPOCKET ,DIA_Gaan_PICKPOCKET_DoIt); }; func void DIA_Gaan_PICKPOCKET_DoIt() { B_Beklauen (); Info_ClearChoices (DIA_Gaan_PICKPOCKET); }; func void DIA_Gaan_PICKPOCKET_BACK() { Info_ClearChoices (DIA_Gaan_PICKPOCKET); };
D
// test that the import of std.math is not needed __gshared uint x0 = 0; __gshared uint x1 = 1; __gshared uint x2 = 2; __gshared uint x3 = 3; __gshared uint x4 = 4; __gshared uint x5 = 5; __gshared uint x6 = 6; __gshared uint x7 = 7; __gshared uint x10 = 10; __gshared uint x15 = 15; __gshared uint x31 = 31; __gshared uint x32 = 32; void main() { assert(2 ^^ x0 == 1); assert(2 ^^ x1 == 2); assert(2 ^^ x31 == 0x80000000); assert(4 ^^ x0 == 1); assert(4 ^^ x1 == 4); assert(4 ^^ x15 == 0x40000000); assert(8 ^^ x0 == 1); assert(8 ^^ x1 == 8); assert(8 ^^ x10 == 0x40000000); assert(16 ^^ x0 == 1); assert(16 ^^ x1 == 16); assert(16 ^^ x7 == 0x10000000); assert(32 ^^ x0 == 1); assert(32 ^^ x1 == 32); assert(32 ^^ x6 == 0x40000000); assert(64 ^^ x0 == 1); assert(64 ^^ x1 == 64); assert(64 ^^ x5 == 0x40000000); assert(128 ^^ x0 == 1); assert(128 ^^ x1 == 128); assert(128 ^^ x4 == 0x10000000); assert(256 ^^ x0 == 1); assert(256 ^^ x1 == 256); assert(256 ^^ x3 == 0x1000000); assert(512 ^^ x0 == 1); assert(512 ^^ x1 == 512); assert(512 ^^ x3 == 0x8000000); assert(1024 ^^ x0 == 1); assert(1024 ^^ x1 == 1024); assert(1024 ^^ x3 == 0x40000000); assert(2048 ^^ x0 == 1); assert(2048 ^^ x1 == 2048); assert(2048 ^^ x2 == 0x400000); assert(4096 ^^ x0 == 1); assert(4096 ^^ x1 == 4096); assert(4096 ^^ x2 == 0x1000000); assert(8192 ^^ x0 == 1); assert(8192 ^^ x1 == 8192); assert(8192 ^^ x2 == 0x4000000); assert(16384 ^^ x0 == 1); assert(16384 ^^ x1 == 16384); assert(16384 ^^ x2 == 0x10000000); assert(32768 ^^ x0 == 1); assert(32768 ^^ x1 == 32768); assert(32768 ^^ x2 == 0x40000000); assert(65536 ^^ x0 == 1); assert(65536 ^^ x1 == 65536); assert(131072 ^^ x0 == 1); assert(131072 ^^ x1 == 131072); assert(262144 ^^ x0 == 1); assert(262144 ^^ x1 == 262144); assert(524288 ^^ x0 == 1); assert(524288 ^^ x1 == 524288); assert(1048576 ^^ x0 == 1); assert(1048576 ^^ x1 == 1048576); assert(2097152 ^^ x0 == 1); assert(2097152 ^^ x1 == 2097152); assert(4194304 ^^ x0 == 1); assert(4194304 ^^ x1 == 4194304); }
D
/Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/Objects-normal/x86_64/IQKeyboardManager.o : /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQBarButtonItem.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardManager.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstants.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstantsInternal.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardReturnKeyHandler.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQNSArray+Sort.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQPreviousNextView.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQTextView/IQTextView.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQTitleBarButtonItem.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQToolbar.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIScrollView+Additions.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUITextFieldView+Additions.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIView+Hierarchy.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQUIView+IQKeyboardToolbar.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIViewController+Additions.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIWindow+Hierarchy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/Target\ Support\ Files/IQKeyboardManagerSwift/IQKeyboardManagerSwift-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/unextended-module.modulemap /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/Foundation.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/Dispatch.swiftmodule /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/CoreGraphics.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/SwiftOnoneSupport.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/Objects-normal/x86_64/IQKeyboardManager~partial.swiftmodule : /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQBarButtonItem.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardManager.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstants.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstantsInternal.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardReturnKeyHandler.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQNSArray+Sort.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQPreviousNextView.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQTextView/IQTextView.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQTitleBarButtonItem.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQToolbar.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIScrollView+Additions.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUITextFieldView+Additions.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIView+Hierarchy.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQUIView+IQKeyboardToolbar.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIViewController+Additions.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIWindow+Hierarchy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/Target\ Support\ Files/IQKeyboardManagerSwift/IQKeyboardManagerSwift-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/unextended-module.modulemap /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/Foundation.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/Dispatch.swiftmodule /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/CoreGraphics.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/SwiftOnoneSupport.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/Objects-normal/x86_64/IQKeyboardManager~partial.swiftdoc : /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQBarButtonItem.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardManager.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstants.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Constants/IQKeyboardManagerConstantsInternal.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQKeyboardReturnKeyHandler.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQNSArray+Sort.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQPreviousNextView.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQTextView/IQTextView.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQTitleBarButtonItem.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQToolbar.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIScrollView+Additions.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUITextFieldView+Additions.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIView+Hierarchy.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/IQToolbar/IQUIView+IQKeyboardToolbar.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIViewController+Additions.swift /Users/sol369/Desktop/InstaPics/Pods/IQKeyboardManagerSwift/IQKeyboardManagerSwift/Categories/IQUIWindow+Hierarchy.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/Target\ Support\ Files/IQKeyboardManagerSwift/IQKeyboardManagerSwift-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/Pods.build/Debug-iphonesimulator/IQKeyboardManagerSwift.build/unextended-module.modulemap /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/Foundation.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/Dispatch.swiftmodule /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/CoreGraphics.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/SwiftOnoneSupport.swiftmodule
D
data_info.cmi : type.cmo preSyntax.cmo m.cmo id.cmo formula.cmo
D
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM WT ROCKTYPE 292.5 65.5 1.60000002 262.700012 34 39 -38.7999992 143.399994 7097 2.5 2.5 0.955004591 sediments, red-brown clays 264.399994 75 15.6000004 0 2 65 -8.80000019 126.699997 1206 10.3999996 18 0.444444444 extrusives, intrusives 346 61 9 41.2000008 35 100 -31.3999996 138.600006 1170 13 15 0.841346154 sediments 333 45 9 16.5 35 100 -30.3999996 139.399994 1161 17 18 0.902777778 sediments, tillite 317 57 5 200 35 100 -30.5 139.300003 1165 9 10 0.742857143 sediments, redbeds 329 58 25 4.0999999 35 100 -30.2000008 139 1166 41.5999985 45.5999985 0.89047619 sediments, sandstone, tillite 349.5 78.1999969 4.69999981 999.900024 5 35 -36.0999985 149.100006 1153 6.0999999 7.5999999 0.473684211 sediments, weathered volcanics 223 26 13 14.8000002 35 100 -30.2999992 139.5 1157 26 26 0.868965517 extrusives 320 63 9 15.5 34 65 -38 145.5 1854 16 16 0.931 extrusives 317 63 14 16 23 56 -32.5 151 1840 20 20 0.851351351 extrusives, basalts 302.700012 66.8000031 6.80000019 35 34 65 -38 145.5 1819 10.8000002 12.1000004 0.912592593 extrusives 305 73 17 29 23 56 -42 147 1821 25 29 0.65625 extrusives, basalts 275.5 71.0999985 3.5 45.5 33 36 -31.7000008 150.199997 1891 4.80000019 4.80000019 0.958719136 extrusives 236.600006 78.5 0 7.5 0 35 -17.2000008 131.5 1894 0 0 0.4375 sediments, red mudstones 274 66 27.6000004 8.60000038 25 65 -41.2999992 145.899994 1873 39.7999992 46.9000015 0.766666667 intrusives, granite 321 64 6 27.5 25 65 -35.5999985 137.5 1874 10 11 0.935454545 sediments 294 75 11 7 25 65 -41.0999985 146.100006 1871 16.2999992 18.8999996 0.625 sediments, sandstone 315 66 10.5 18 25 65 -41 145.5 1872 18.2000008 19.6000004 0.895833333 extrusives, sediments 295.100006 74.0999985 5.19999981 0 23 35 -27 143 1971 6.5999999 6.5999999 0.45 sediments, weathered 298 58.7999992 2.4000001 0 35 65 -27 141.5 1972 3.79999995 3.79999995 0.486486486 sediments, weathered 288.799988 81.1999969 3.4000001 140 16 29 -29 115 1939 4.5 4.5 0.921316964 sediments 310.899994 68.5 0 0 40 60 -35 150 1927 5.19999981 5.19999981 0.971419884 extrusives, basalts 272.399994 68.9000015 0 0 25 35 -35 150 1926 4.30000019 4.30000019 0.9747151 extrusives, basalts
D
// Written in the D programming language. /** This module contains common Plaform definitions. Platform is abstraction layer for application. Synopsis: ---- import dlangui.platforms.common.platform; ---- Copyright: Vadim Lopatin, 2014 License: Boost License 1.0 Authors: Vadim Lopatin, [email protected] */ module dlangui.platforms.common.platform; public import dlangui.core.config; public import dlangui.core.events; import dlangui.core.collections; import dlangui.widgets.widget; import dlangui.widgets.popup; import dlangui.graphics.drawbuf; import dlangui.core.stdaction; private import dlangui.graphics.gldrawbuf; private import std.algorithm; private import core.sync.mutex; private import std.string; /// entry point - declare such function to use as main for dlangui app extern(C) int UIAppMain(string[] args); // specify debug=DebugMouseEvents for logging mouse handling // specify debug=DebugRedraw for logging drawing and layouts handling // specify debug=DebugKeys for logging of key events /// window creation flags enum WindowFlag : uint { /// window can be resized Resizable = 1, /// window should be shown in fullscreen mode Fullscreen = 2, /// modal window - grabs input focus Modal = 4, } /// protected event list /// references to posted messages can be stored here at least to keep live reference and avoid GC /// as well, on some platforms it's easy to send id to message queue, but not pointer class EventList { protected Mutex _mutex; protected Collection!CustomEvent _events; this() { _mutex = new Mutex(); } ~this() { destroy(_mutex); _mutex = null; } /// puts event into queue, returns event's unique id long put(CustomEvent event) { _mutex.lock(); scope(exit) _mutex.unlock(); _events.pushBack(event); return event.uniqueId; } /// return next event CustomEvent get() { _mutex.lock(); scope(exit) _mutex.unlock(); return _events.popFront(); } /// return event by unique id CustomEvent get(uint uniqueId) { _mutex.lock(); scope(exit) _mutex.unlock(); for (int i = 0; i < _events.length; i++) { if (_events[i].uniqueId == uniqueId) { return _events.remove(i); } } // not found return null; } } class TimerInfo { static __gshared ulong nextId; this(Widget targetWidget, long intervalMillis) { _id = ++nextId; assert(intervalMillis >= 0 && intervalMillis < 7*24*60*60*1000L); _targetWidget = targetWidget; _interval = intervalMillis; _nextTimestamp = currentTimeMillis + _interval; } /// cancel timer void cancel() { _targetWidget = null; } /// cancel timer void notify() { if (_targetWidget) { _nextTimestamp = currentTimeMillis + _interval; if (!_targetWidget.onTimer(_id)) { _targetWidget = null; } } } /// unique Id of timer @property ulong id() { return _id; } /// timer interval, milliseconds @property long interval() { return _interval; } /// next timestamp to invoke timer at, as per currentTimeMillis() @property long nextTimestamp() { return _nextTimestamp; } /// widget to route timer event to @property Widget targetWidget() { return _targetWidget; } /// return true if timer is not yet cancelled @property bool valid() { return _targetWidget !is null; } protected ulong _id; protected long _interval; protected long _nextTimestamp; protected Widget _targetWidget; override bool opEquals(Object obj) const { TimerInfo b = cast(TimerInfo)obj; if (!b) return false; return b._nextTimestamp == _nextTimestamp; } override int opCmp(Object obj) { TimerInfo b = cast(TimerInfo)obj; if (!b) return false; if (valid && !b.valid) return -1; if (!valid && b.valid) return 1; if (!valid && !b.valid) return 0; if (_nextTimestamp < b._nextTimestamp) return -1; if (_nextTimestamp > b._nextTimestamp) return 1; return 0; } } /** * Window abstraction layer. Widgets can be shown only inside window. * */ class Window : CustomEventTarget { protected int _dx; protected int _dy; protected uint _keyboardModifiers; protected uint _backgroundColor; protected Widget _mainWidget; protected EventList _eventList; @property uint backgroundColor() const { return _backgroundColor; } @property void backgroundColor(uint color) { _backgroundColor = color; } @property int width() const { return _dx; } @property int height() const { return _dy; } @property uint keyboardModifiers() const { return _keyboardModifiers; } @property Widget mainWidget() { return _mainWidget; } @property void mainWidget(Widget widget) { if (_mainWidget !is null) _mainWidget.window = null; _mainWidget = widget; if (_mainWidget !is null) _mainWidget.window = this; } // Abstract methods : override in platform implementatino /// show window abstract void show(); /// returns window caption abstract @property dstring windowCaption(); /// sets window caption abstract @property void windowCaption(dstring caption); /// sets window icon abstract @property void windowIcon(DrawBufRef icon); /// request window redraw abstract void invalidate(); /// close window abstract void close(); /// requests layout for main widget and popups void requestLayout() { if (_mainWidget) _mainWidget.requestLayout(); foreach(p; _popups) p.requestLayout(); if (_tooltip.popup) _tooltip.popup.requestLayout(); } void measure() { if (_mainWidget !is null) { _mainWidget.measure(_dx, _dy); } foreach(p; _popups) p.measure(_dx, _dy); if (_tooltip.popup) _tooltip.popup.measure(_dx, _dy); } void layout() { Rect rc = Rect(0, 0, _dx, _dy); if (_mainWidget !is null) { _mainWidget.layout(rc); } foreach(p; _popups) p.layout(rc); if (_tooltip.popup) _tooltip.popup.layout(rc); } void onResize(int width, int height) { if (_dx == width && _dy == height) return; _dx = width; _dy = height; if (_mainWidget !is null) { Log.d("onResize ", _dx, "x", _dy); long measureStart = currentTimeMillis; measure(); //Log.d("measured size: ", _mainWidget.measuredWidth, "x", _mainWidget.measuredHeight); long measureEnd = currentTimeMillis; debug Log.d("resize: measure took ", measureEnd - measureStart, " ms"); layout(); long layoutEnd = currentTimeMillis; debug Log.d("resize: layout took ", layoutEnd - measureEnd, " ms"); //Log.d("layout position: ", _mainWidget.pos); } update(true); } protected PopupWidget[] _popups; protected static struct TooltipInfo { PopupWidget popup; ulong timerId; Widget ownerWidget; uint alignment; int x; int y; } protected TooltipInfo _tooltip; /// schedule tooltip for widget be shown with specified delay void scheduleTooltip(Widget ownerWidget, long delay, uint alignment = PopupAlign.Below, int x = 0, int y = 0) { _tooltip.alignment = alignment; _tooltip.x = x; _tooltip.y = y; _tooltip.ownerWidget = ownerWidget; _tooltip.timerId = setTimer(ownerWidget, delay); } /// call when tooltip timer is expired private bool onTooltipTimer() { _tooltip.timerId = 0; if (isChild(_tooltip.ownerWidget)) { Widget w = _tooltip.ownerWidget.createTooltip(_lastMouseX, _lastMouseY, _tooltip.alignment, _tooltip.x, _tooltip.y); if (w) showTooltip(w, _tooltip.ownerWidget, _tooltip.alignment, _tooltip.x, _tooltip.y); } return false; } /// called when user dragged file(s) to application window void handleDroppedFiles(string[] filenames) { //Log.d("handleDroppedFiles(", filenames, ")"); if (_onFilesDropped) _onFilesDropped(filenames); } protected void delegate(string[]) _onFilesDropped; /// get handler for files dropped to app window @property void delegate(string[]) onFilesDropped() { return _onFilesDropped; } /// set handler for files dropped to app window @property Window onFilesDropped(void delegate(string[]) handler) { _onFilesDropped = handler; return this; } protected bool delegate() _onCanClose; /// get handler for closing of app (it must return true to allow immediate close, false to cancel close or close window later) @property bool delegate() onCanClose() { return _onCanClose; } /// set handler for closing of app (it must return true to allow immediate close, false to cancel close or close window later) @property Window onCanClose(bool delegate() handler) { _onCanClose = handler; return this; } protected void delegate() _onClose; /// get handler for closing of window @property void delegate() onClose() { return _onClose; } /// set handler for closing of window @property Window onClose(void delegate() handler) { _onClose = handler; return this; } /// calls onCanClose handler if set to check if system may close window bool handleCanClose() { if (!_onCanClose) return true; bool res = _onCanClose(); if (!res) update(true); // redraw window if it was decided to not close immediately return res; } /// hide tooltip if shown and cancel tooltip timer if set void hideTooltip() { if (_tooltip.popup) { destroy(_tooltip.popup); _tooltip.popup = null; if (_mainWidget) _mainWidget.invalidate(); } if (_tooltip.timerId) cancelTimer(_tooltip.timerId); } /// show tooltip immediately PopupWidget showTooltip(Widget content, Widget anchor = null, uint alignment = PopupAlign.Center, int x = 0, int y = 0) { hideTooltip(); if (!content) return null; PopupWidget res = new PopupWidget(content, this); res.anchor.widget = anchor !is null ? anchor : _mainWidget; res.anchor.alignment = alignment; res.anchor.x = x; res.anchor.y = y; _tooltip.popup = res; return res; } /// show new popup PopupWidget showPopup(Widget content, Widget anchor = null, uint alignment = PopupAlign.Center, int x = 0, int y = 0) { PopupWidget res = new PopupWidget(content, this); res.anchor.widget = anchor !is null ? anchor : _mainWidget; res.anchor.alignment = alignment; res.anchor.x = x; res.anchor.y = y; _popups ~= res; if (_mainWidget !is null) { _mainWidget.requestLayout(); } return res; } /// remove popup bool removePopup(PopupWidget popup) { if (!popup) return false; for (int i = 0; i < _popups.length; i++) { PopupWidget p = _popups[i]; if (p is popup) { for (int j = i; j < _popups.length - 1; j++) _popups[j] = _popups[j + 1]; _popups.length--; p.onClose(); destroy(p); // force redraw _mainWidget.invalidate(); return true; } } return false; } /// returns last modal popup widget, or null if no modal popups opened PopupWidget modalPopup() { for (int i = cast(int)_popups.length - 1; i >= 0; i--) { if (_popups[i].flags & PopupFlags.Modal) return _popups[i]; } return null; } /// returns true if widget is child of either main widget or one of popups bool isChild(Widget w) { if (_mainWidget !is null && _mainWidget.isChild(w)) return true; foreach(p; _popups) if (p.isChild(w)) return true; if (_tooltip.popup) if (_tooltip.popup.isChild(w)) return true; return false; } private long lastDrawTs; this() { _eventList = new EventList(); _timerQueue = new TimerQueue(); _backgroundColor = 0xFFFFFF; if (currentTheme) _backgroundColor = currentTheme.customColor(STYLE_COLOR_WINDOW_BACKGROUND); } ~this() { debug Log.d("Destroying window"); if (_onClose) _onClose(); if (_tooltip.popup) { destroy(_tooltip.popup); _tooltip.popup = null; } foreach(p; _popups) destroy(p); _popups = null; if (_mainWidget !is null) { destroy(_mainWidget); _mainWidget = null; } destroy(_eventList); destroy(_timerQueue); _eventList = null; } private void animate(Widget root, long interval) { if (root is null) return; if (root.visibility != Visibility.Visible) return; for (int i = 0; i < root.childCount; i++) animate(root.child(i), interval); if (root.animating) root.animate(interval); } private void animate(long interval) { animate(_mainWidget, interval); foreach(p; _popups) p.animate(interval); if (_tooltip.popup) _tooltip.popup.animate(interval); } static immutable int PERFORMANCE_LOGGING_THRESHOLD_MS = 20; void onDraw(DrawBuf buf) { try { bool needDraw = false; bool needLayout = false; bool animationActive = false; checkUpdateNeeded(needDraw, needLayout, animationActive); if (needLayout || animationActive) needDraw = true; long ts = std.datetime.Clock.currStdTime; if (animationActive && lastDrawTs != 0) { animate(ts - lastDrawTs); // layout required flag could be changed during animate - check again checkUpdateNeeded(needDraw, needLayout, animationActive); } lastDrawTs = ts; if (needLayout) { long measureStart = currentTimeMillis; measure(); long measureEnd = currentTimeMillis; if (measureEnd - measureStart > PERFORMANCE_LOGGING_THRESHOLD_MS) { debug(DebugRedraw) Log.d("measure took ", measureEnd - measureStart, " ms"); } layout(); long layoutEnd = currentTimeMillis; if (layoutEnd - measureEnd > PERFORMANCE_LOGGING_THRESHOLD_MS) { debug(DebugRedraw) Log.d("layout took ", layoutEnd - measureEnd, " ms"); } //checkUpdateNeeded(needDraw, needLayout, animationActive); } long drawStart = currentTimeMillis; // draw main widget _mainWidget.onDraw(buf); PopupWidget modal = modalPopup(); // draw popups foreach(p; _popups) { if (p is modal) { // TODO: get shadow color from theme buf.fillRect(Rect(0, 0, buf.width, buf.height), 0xD0404040); } p.onDraw(buf); } if (_tooltip.popup) _tooltip.popup.onDraw(buf); long drawEnd = currentTimeMillis; debug(DebugRedraw) { if (drawEnd - drawStart > PERFORMANCE_LOGGING_THRESHOLD_MS) Log.d("draw took ", drawEnd - drawStart, " ms"); } if (animationActive) scheduleAnimation(); _actionsUpdateRequested = false; } catch (Exception e) { Log.e("Exception inside winfow.onDraw: ", e); } } /// after drawing, call to schedule redraw if animation is active void scheduleAnimation() { // override if necessary } protected void setCaptureWidget(Widget w, MouseEvent event) { _mouseCaptureWidget = w; _mouseCaptureButtons = event.flags & (MouseFlag.LButton|MouseFlag.RButton|MouseFlag.MButton); } protected Widget _focusedWidget; /// returns current focused widget @property Widget focusedWidget() { if (!isChild(_focusedWidget)) _focusedWidget = null; return _focusedWidget; } /// change focus to widget Widget setFocus(Widget newFocus, FocusReason reason = FocusReason.Unspecified) { if (!isChild(_focusedWidget)) _focusedWidget = null; Widget oldFocus = _focusedWidget; auto targetState = State.Focused; if(reason == FocusReason.TabFocus) targetState = State.Focused | State.KeyboardFocused; if (oldFocus is newFocus) return oldFocus; if (oldFocus !is null) oldFocus.resetState(targetState); if (newFocus is null || isChild(newFocus)) { if (newFocus !is null) { // when calling, setState(focused), window.focusedWidget is still previously focused widget debug(DebugFocus) Log.d("new focus: ", newFocus.id); newFocus.setState(targetState); } _focusedWidget = newFocus; // after focus change, ask for actions update automatically //requestActionsUpdate(); } return _focusedWidget; } /// dispatch key event to widgets which have wantsKeyTracking == true protected bool dispatchKeyEvent(Widget root, KeyEvent event) { if (root.visibility != Visibility.Visible) return false; if (root.wantsKeyTracking) { if (root.onKeyEvent(event)) return true; } for (int i = 0; i < root.childCount; i++) { Widget w = root.child(i); if (dispatchKeyEvent(w, event)) return true; } return false; } /// dispatch keyboard event bool dispatchKeyEvent(KeyEvent event) { bool res = false; hideTooltip(); PopupWidget modal = modalPopup(); if (event.action == KeyAction.KeyDown || event.action == KeyAction.KeyUp) { _keyboardModifiers = event.flags; if (event.keyCode == KeyCode.ALT || event.keyCode == KeyCode.LALT || event.keyCode == KeyCode.RALT) { debug(DebugKeys) Log.d("ALT key: keyboardModifiers = ", _keyboardModifiers); if (_mainWidget) { _mainWidget.invalidate(); res = true; } } } if (event.action == KeyAction.Text) { // filter text if (event.text.length < 1) return res; dchar ch = event.text[0]; if (ch < ' ' || ch == 0x7F) // filter out control symbols return res; } Widget focus = focusedWidget; if (!modal || modal.isChild(focus)) { while (focus) { if (focus.onKeyEvent(event)) return true; // processed by focused widget if (focus.focusGroup) break; focus = focus.parent; } } if (modal) { if (dispatchKeyEvent(modal, event)) return res; return modal.onKeyEvent(event) || res; } else if (_mainWidget) { if (dispatchKeyEvent(_mainWidget, event)) return res; return _mainWidget.onKeyEvent(event) || res; } return res; } protected bool dispatchMouseEvent(Widget root, MouseEvent event, ref bool cursorIsSet) { // only route mouse events to visible widgets if (root.visibility != Visibility.Visible) return false; if (!root.isPointInside(event.x, event.y)) return false; // offer event to children first for (int i = 0; i < root.childCount; i++) { Widget child = root.child(i); if (dispatchMouseEvent(child, event, cursorIsSet)) return true; } if (event.action == MouseAction.Move && !cursorIsSet) { uint cursorType = root.getCursorType(event.x, event.y); if (cursorType != CursorType.Parent) { setCursorType(cursorType); cursorIsSet = true; } } // if not processed by children, offer event to root if (sendAndCheckOverride(root, event)) { debug(DebugMouseEvents) Log.d("MouseEvent is processed"); if (event.action == MouseAction.ButtonDown && _mouseCaptureWidget is null && !event.doNotTrackButtonDown) { debug(DebugMouseEvents) Log.d("Setting active widget"); setCaptureWidget(root, event); } else if (event.action == MouseAction.Move) { addTracking(root); } return true; } return false; } /// widget which tracks Move events //protected Widget _mouseTrackingWidget; protected Widget[] _mouseTrackingWidgets; private void addTracking(Widget w) { for(int i = 0; i < _mouseTrackingWidgets.length; i++) if (w is _mouseTrackingWidgets[i]) return; //foreach(widget; _mouseTrackingWidgets) // if (widget is w) // return; //Log.d("addTracking ", w.id, " items before: ", _mouseTrackingWidgets.length); _mouseTrackingWidgets ~= w; //Log.d("addTracking ", w.id, " items after: ", _mouseTrackingWidgets.length); } private bool checkRemoveTracking(MouseEvent event) { bool res = false; for(int i = cast(int)_mouseTrackingWidgets.length - 1; i >=0; i--) { Widget w = _mouseTrackingWidgets[i]; if (!isChild(w)) { // std.algorithm.remove does not work for me //_mouseTrackingWidgets.remove(i); for (int j = i; j < _mouseTrackingWidgets.length - 1; j++) _mouseTrackingWidgets[j] = _mouseTrackingWidgets[j + 1]; _mouseTrackingWidgets.length--; continue; } if (event.action == MouseAction.Leave || !w.isPointInside(event.x, event.y)) { // send Leave message MouseEvent leaveEvent = new MouseEvent(event); leaveEvent.changeAction(MouseAction.Leave); res = w.onMouseEvent(leaveEvent) || res; // std.algorithm.remove does not work for me //Log.d("removeTracking ", w.id, " items before: ", _mouseTrackingWidgets.length); //_mouseTrackingWidgets.remove(i); //_mouseTrackingWidgets.length--; for (int j = i; j < _mouseTrackingWidgets.length - 1; j++) _mouseTrackingWidgets[j] = _mouseTrackingWidgets[j + 1]; _mouseTrackingWidgets.length--; //Log.d("removeTracking ", w.id, " items after: ", _mouseTrackingWidgets.length); } } return res; } /// widget which tracks all events after processed ButtonDown protected Widget _mouseCaptureWidget; protected ushort _mouseCaptureButtons; protected bool _mouseCaptureFocusedOut; /// does current capture widget want to receive move events even if pointer left it protected bool _mouseCaptureFocusedOutTrackMovements; protected void clearMouseCapture() { _mouseCaptureWidget = null; _mouseCaptureFocusedOut = false; _mouseCaptureFocusedOutTrackMovements = false; _mouseCaptureButtons = 0; } protected bool dispatchCancel(MouseEvent event) { event.changeAction(MouseAction.Cancel); bool res = _mouseCaptureWidget.onMouseEvent(event); clearMouseCapture(); return res; } protected bool sendAndCheckOverride(Widget widget, MouseEvent event) { if (!isChild(widget)) return false; bool res = widget.onMouseEvent(event); if (event.trackingWidget !is null && _mouseCaptureWidget !is event.trackingWidget) { setCaptureWidget(event.trackingWidget, event); } return res; } /// returns true if mouse is currently captured bool isMouseCaptured() { return (_mouseCaptureWidget !is null && isChild(_mouseCaptureWidget)); } /// dispatch action to main widget bool dispatchAction(const Action action, Widget sourceWidget = null) { // try to handle by source widget if(sourceWidget && isChild(sourceWidget)) { if (sourceWidget.handleAction(action)) return true; sourceWidget = sourceWidget.parent; } Widget focus = focusedWidget; // then offer action to focused widget if (focus && isChild(focus)) { if (focus.handleAction(action)) return true; focus = focus.parent; } // then offer to parent chain of source widget while (sourceWidget && isChild(sourceWidget)) { if (sourceWidget.handleAction(action)) return true; sourceWidget = sourceWidget.parent; } // then offer to parent chain of focused widget while (focus && isChild(focus)) { if (focus.handleAction(action)) return true; focus = focus.parent; } if (_mainWidget) return _mainWidget.handleAction(action); return false; } /// dispatch action to main widget bool dispatchActionStateRequest(const Action action, Widget sourceWidget = null) { // try to handle by source widget if(sourceWidget && isChild(sourceWidget)) { if (sourceWidget.handleActionStateRequest(action)) return true; sourceWidget = sourceWidget.parent; } Widget focus = focusedWidget; // then offer action to focused widget if (focus && isChild(focus)) { if (focus.handleActionStateRequest(action)) return true; focus = focus.parent; } // then offer to parent chain of source widget while (sourceWidget && isChild(sourceWidget)) { if (sourceWidget.handleActionStateRequest(action)) return true; sourceWidget = sourceWidget.parent; } // then offer to parent chain of focused widget while (focus && isChild(focus)) { if (focus.handleActionStateRequest(action)) return true; focus = focus.parent; } if (_mainWidget) return _mainWidget.handleActionStateRequest(action); return false; } /// handle theme change: e.g. reload some themed resources void dispatchThemeChanged() { if (_mainWidget) _mainWidget.onThemeChanged(); // draw popups foreach(p; _popups) { p.onThemeChanged(); } if (_tooltip.popup) _tooltip.popup.onThemeChanged(); if (currentTheme) { _backgroundColor = currentTheme.customColor(STYLE_COLOR_WINDOW_BACKGROUND); } invalidate(); } /// post event to handle in UI thread (this method can be used from background thread) void postEvent(CustomEvent event) { // override to post event into window message queue _eventList.put(event); } /// post task to execute in UI thread (this method can be used from background thread) void executeInUiThread(void delegate() runnable) { RunnableEvent event = new RunnableEvent(CUSTOM_RUNNABLE, null, runnable); postEvent(event); } /// remove event from queue by unique id if not yet dispatched (this method can be used from background thread) void cancelEvent(uint uniqueId) { CustomEvent ev = _eventList.get(uniqueId); if (ev) { //destroy(ev); } } /// remove event from queue by unique id if not yet dispatched and dispatch it void handlePostedEvent(uint uniqueId) { CustomEvent ev = _eventList.get(uniqueId); if (ev) { dispatchCustomEvent(ev); } } /// handle all events from queue, if any (call from UI thread only) void handlePostedEvents() { for(;;) { CustomEvent e = _eventList.get(); if (!e) break; dispatchCustomEvent(e); } } /// dispatch custom event bool dispatchCustomEvent(CustomEvent event) { if (event.destinationWidget) { if (!isChild(event.destinationWidget)) { //Event is sent to widget which does not exist anymore return false; } return event.destinationWidget.onEvent(event); } else { // no destination widget RunnableEvent runnable = cast(RunnableEvent)event; if (runnable) { // handle runnable runnable.run(); return true; } } return false; } private int _lastMouseX; private int _lastMouseY; /// dispatch mouse event to window content widgets bool dispatchMouseEvent(MouseEvent event) { // ignore events if there is no root if (_mainWidget is null) return false; if (event.action == MouseAction.Move) { _lastMouseX = event.x; _lastMouseY = event.y; } hideTooltip(); PopupWidget modal = modalPopup(); // check if _mouseCaptureWidget and _mouseTrackingWidget still exist in child of root widget if (_mouseCaptureWidget !is null && (!isChild(_mouseCaptureWidget) || (modal && !modal.isChild(_mouseCaptureWidget)))) { clearMouseCapture(); } debug(DebugMouseEvents) Log.d("dispatchMouseEvent ", event.action, " (", event.x, ",", event.y, ")"); bool res = false; ushort currentButtons = event.flags & (MouseFlag.LButton|MouseFlag.RButton|MouseFlag.MButton); if (_mouseCaptureWidget !is null) { // try to forward message directly to active widget if (event.action == MouseAction.Move) { debug(DebugMouseEvents) Log.d("dispatchMouseEvent: Move; buttons state=", currentButtons); if (!_mouseCaptureWidget.isPointInside(event.x, event.y)) { if (currentButtons != _mouseCaptureButtons) { debug(DebugMouseEvents) Log.d("dispatchMouseEvent: Move; buttons state changed from ", _mouseCaptureButtons, " to ", currentButtons, " - cancelling capture"); return dispatchCancel(event); } // point is no more inside of captured widget if (!_mouseCaptureFocusedOut) { // sending FocusOut message event.changeAction(MouseAction.FocusOut); _mouseCaptureFocusedOut = true; _mouseCaptureButtons = currentButtons; _mouseCaptureFocusedOutTrackMovements = sendAndCheckOverride(_mouseCaptureWidget, event); return true; } else if (_mouseCaptureFocusedOutTrackMovements) { // pointer is outside, but we still need to track pointer return sendAndCheckOverride(_mouseCaptureWidget, event); } // don't forward message return true; } else { // point is inside widget if (_mouseCaptureFocusedOut) { _mouseCaptureFocusedOut = false; if (currentButtons != _mouseCaptureButtons) return dispatchCancel(event); event.changeAction(MouseAction.FocusIn); // back in after focus out } return sendAndCheckOverride(_mouseCaptureWidget, event); } } else if (event.action == MouseAction.Leave) { if (!_mouseCaptureFocusedOut) { // sending FocusOut message event.changeAction(MouseAction.FocusOut); _mouseCaptureFocusedOut = true; _mouseCaptureButtons = event.flags & (MouseFlag.LButton|MouseFlag.RButton|MouseFlag.MButton); return sendAndCheckOverride(_mouseCaptureWidget, event); } else { debug(DebugMouseEvents) Log.d("dispatchMouseEvent: mouseCaptureFocusedOut + Leave - cancelling capture"); return dispatchCancel(event); } } else if (event.action == MouseAction.ButtonDown || event.action == MouseAction.ButtonUp) { if (!_mouseCaptureWidget.isPointInside(event.x, event.y)) { if (currentButtons != _mouseCaptureButtons) { debug(DebugMouseEvents) Log.d("dispatchMouseEvent: ButtonUp/ButtonDown; buttons state changed from ", _mouseCaptureButtons, " to ", currentButtons, " - cancelling capture"); return dispatchCancel(event); } } } // other messages res = sendAndCheckOverride(_mouseCaptureWidget, event); if (!currentButtons) { // usable capturing - no more buttons pressed debug(DebugMouseEvents) Log.d("unsetting active widget"); clearMouseCapture(); } return res; } bool processed = false; if (event.action == MouseAction.Move || event.action == MouseAction.Leave) { processed = checkRemoveTracking(event); } bool cursorIsSet = false; if (!res) { bool insideOneOfPopups = false; for (int i = cast(int)_popups.length - 1; i >= 0; i--) { auto p = _popups[i]; if (p.isPointInside(event.x, event.y)) { if (p !is modal) insideOneOfPopups = true; } if (p is modal) break; } for (int i = cast(int)_popups.length - 1; i >= 0; i--) { auto p = _popups[i]; if (p is modal) break; if (!insideOneOfPopups) { if (p.onMouseEventOutside(event)) // stop loop when true is returned, but allow other main widget to handle event break; } else { if (dispatchMouseEvent(p, event, cursorIsSet)) return true; } } if (!modal) res = dispatchMouseEvent(_mainWidget, event, cursorIsSet); else res = dispatchMouseEvent(modal, event, cursorIsSet); } return res || processed || _mainWidget.needDraw; } /// calls update actions recursively protected void dispatchWidgetUpdateActionStateRecursive(Widget root) { if (root is null) return; root.updateActionState(true); for (int i = 0; i < root.childCount; i++) dispatchWidgetUpdateActionStateRecursive(root.child(i)); } /// checks content widgets for necessary redraw and/or layout protected void checkUpdateNeeded(Widget root, ref bool needDraw, ref bool needLayout, ref bool animationActive) { if (root is null) return; if (root.visibility != Visibility.Visible) return; needDraw = root.needDraw || needDraw; if (!needLayout) { needLayout = root.needLayout || needLayout; if (needLayout) { debug(DebugRedraw) Log.d("need layout: ", root.id); } } if (root.animating && root.visible) animationActive = true; // check animation only for visible widgets for (int i = 0; i < root.childCount; i++) checkUpdateNeeded(root.child(i), needDraw, needLayout, animationActive); } /// sets cursor type for window protected void setCursorType(uint cursorType) { // override to support different mouse cursors } /// update action states protected void dispatchWidgetUpdateActionStateRecursive() { if (_mainWidget !is null) dispatchWidgetUpdateActionStateRecursive(_mainWidget); foreach(p; _popups) dispatchWidgetUpdateActionStateRecursive(p); } /// checks content widgets for necessary redraw and/or layout bool checkUpdateNeeded(ref bool needDraw, ref bool needLayout, ref bool animationActive) { if (_actionsUpdateRequested) { // call update action check - as requested dispatchWidgetUpdateActionStateRecursive(); _actionsUpdateRequested = false; } needDraw = needLayout = animationActive = false; if (_mainWidget is null) return false; checkUpdateNeeded(_mainWidget, needDraw, needLayout, animationActive); foreach(p; _popups) checkUpdateNeeded(p, needDraw, needLayout, animationActive); if (_tooltip.popup) checkUpdateNeeded(_tooltip.popup, needDraw, needLayout, animationActive); return needDraw || needLayout || animationActive; } /// requests update for window (unless force is true, update will be performed only if layout, redraw or animation is required). void update(bool force = false) { if (_mainWidget is null) return; bool needDraw = false; bool needLayout = false; bool animationActive = false; if (checkUpdateNeeded(needDraw, needLayout, animationActive) || force) { debug(DebugRedraw) Log.d("Requesting update"); invalidate(); } debug(DebugRedraw) Log.d("checkUpdateNeeded returned needDraw=", needDraw, " needLayout=", needLayout, " animationActive=", animationActive); } protected bool _actionsUpdateRequested = true; /// set action update request flag, will be cleared after redraw void requestActionsUpdate(bool immediateUpdate = false) { if (!immediateUpdate) _actionsUpdateRequested = true; else dispatchWidgetUpdateActionStateRecursive(); } @property bool actionsUpdateRequested() { return _actionsUpdateRequested; } /// Show message box with specified title and message (title and message as UIString) void showMessageBox(UIString title, UIString message, const (Action)[] actions = [ACTION_OK], int defaultActionIndex = 0, bool delegate(const Action result) handler = null) { import dlangui.dialogs.msgbox; MessageBox dlg = new MessageBox(title, message, this, actions, defaultActionIndex, handler); dlg.show(); } /// Show message box with specified title and message (title and message as dstring) void showMessageBox(dstring title, dstring message, const (Action)[] actions = [ACTION_OK], int defaultActionIndex = 0, bool delegate(const Action result) handler = null) { showMessageBox(UIString(title), UIString(message), actions, defaultActionIndex, handler); } void showInputBox(UIString title, UIString message, dstring initialText, void delegate(dstring result) handler) { import dlangui.dialogs.inputbox; InputBox dlg = new InputBox(title, message, this, initialText, handler); dlg.show(); } void showInputBox(dstring title, dstring message, dstring initialText, void delegate(dstring result) handler) { showInputBox(UIString(title), UIString(message), initialText, handler); } protected TimerQueue _timerQueue; /// schedule timer for interval in milliseconds - call window.onTimer when finished protected void scheduleSystemTimer(long intervalMillis) { Log.d("override scheduleSystemTimer to support timers"); } /// system timer interval expired - notify queue protected void onTimer() { //Log.d("window.onTimer"); bool res = _timerQueue.notify(); //Log.d("window.onTimer after notify"); if (res) { // check if update needed and redraw if so //Log.d("before update"); update(false); //Log.d("after update"); } //Log.d("schedule next timer"); long nextInterval = _timerQueue.nextIntervalMillis(); if (nextInterval > 0) { scheduleSystemTimer(nextInterval); } //Log.d("schedule next timer done"); } /// set timer for destination widget - destination.onTimer() will be called after interval expiration; returns timer id ulong setTimer(Widget destination, long intervalMillis) { if (!isChild(destination)) { Log.e("setTimer() is called not for child widget of window"); return 0; } ulong res = _timerQueue.add(destination, intervalMillis); long nextInterval = _timerQueue.nextIntervalMillis(); if (nextInterval > 0) { scheduleSystemTimer(intervalMillis); } return res; } /// cancel previously scheduled widget timer (for timerId pass value returned from setTimer) void cancelTimer(ulong timerId) { _timerQueue.cancelTimer(timerId); } /// timers queue private class TimerQueue { protected TimerInfo[] _queue; /// add new timer ulong add(Widget destination, long intervalMillis) { TimerInfo item = new TimerInfo(destination, intervalMillis); _queue ~= item; sort(_queue); return item.id; } /// cancel timer void cancelTimer(ulong timerId) { if (!_queue.length) return; for (int i = cast(int)_queue.length - 1; i >= 0; i--) { if (_queue[i].id == timerId) { _queue[i].cancel(); break; } } } /// returns interval if millis of next scheduled event or -1 if no events queued long nextIntervalMillis() { if (!_queue.length || !_queue[0].valid) return -1; long delta = _queue[0].nextTimestamp - currentTimeMillis; if (delta < 1) delta = 1; return delta; } private void cleanup() { if (!_queue.length) return; sort(_queue); size_t newsize = _queue.length; for (int i = cast(int)_queue.length - 1; i >= 0; i--) { if (!_queue[i].valid) { newsize = i; } } if (_queue.length > newsize) _queue.length = newsize; } private TimerInfo[] expired() { if (!_queue.length) return null; long ts = currentTimeMillis; TimerInfo[] res; for (int i = 0; i < _queue.length; i++) { if (_queue[i].nextTimestamp <= ts) res ~= _queue[i]; } return res; } /// returns true if at least one widget was notified bool notify() { bool res = false; checkValidWidgets(); TimerInfo[] list = expired(); if (list) { for (int i = 0; i < list.length; i++) { if (_queue[i].id == _tooltip.timerId) { // special case for tooltip timer onTooltipTimer(); _queue[i].cancel(); res = true; } else { Widget w = _queue[i].targetWidget; if (w && !isChild(w)) _queue[i].cancel(); else { _queue[i].notify(); res = true; } } } } cleanup(); return res; } private void checkValidWidgets() { for (int i = 0; i < _queue.length; i++) { Widget w = _queue[i].targetWidget; if (w && !isChild(w)) _queue[i].cancel(); } cleanup(); } } } /** * Platform abstraction layer. * * Represents application. * * * */ class Platform { static __gshared Platform _instance; static void setInstance(Platform instance) { if (_instance) destroy(_instance); _instance = instance; } @property static Platform instance() { return _instance; } /** * create window * Args: * windowCaption = window caption text * parent = parent Window, or null if no parent * flags = WindowFlag bit set, combination of Resizable, Modal, Fullscreen * width = window width * height = window height * * Window w/o Resizable nor Fullscreen will be created with size based on measurement of its content widget */ abstract Window createWindow(dstring windowCaption, Window parent, uint flags = WindowFlag.Resizable, uint width = 0, uint height = 0); static if (ENABLE_OPENGL) { /** * OpenGL context major version. * Note: if the version is invalid or not supported, this value will be set to supported one. */ int GLVersionMajor = 3; /** * OpenGL context minor version. * Note: if the version is invalid or not supported, this value will be set to supported one. */ int GLVersionMinor = 2; } /** * close window * * Closes window earlier created with createWindow() */ abstract void closeWindow(Window w); /** * Starts application message loop. * * When returned from this method, application is shutting down. */ abstract int enterMessageLoop(); /// retrieves text from clipboard (when mouseBuffer == true, use mouse selection clipboard - under linux) abstract dstring getClipboardText(bool mouseBuffer = false); /// sets text to clipboard (when mouseBuffer == true, use mouse selection clipboard - under linux) abstract void setClipboardText(dstring text, bool mouseBuffer = false); /// calls request layout for all windows abstract void requestLayout(); protected string _uiLanguage; /// returns currently selected UI language code @property string uiLanguage() { return _uiLanguage; } /// set UI language (e.g. "en", "fr", "ru") - will relayout content of all windows if language has been changed @property Platform uiLanguage(string langCode) { if (_uiLanguage.equal(langCode)) return this; _uiLanguage = langCode; Log.v("Loading language file"); if (langCode.equal("en")) i18n.load("en.ini"); //"ru.ini", "en.ini" else i18n.load(langCode ~ ".ini", "en.ini"); Log.v("Calling onThemeChanged"); onThemeChanged(); requestLayout(); return this; } protected string _themeId; @property string uiTheme() { return _themeId; } /// sets application UI theme - will relayout content of all windows if theme has been changed @property Platform uiTheme(string themeResourceId) { if (_themeId.equal(themeResourceId)) return this; Log.v("uiTheme setting new theme ", themeResourceId); _themeId = themeResourceId; Theme theme = loadTheme(themeResourceId); if (!theme) { Log.e("Cannot load theme from resource ", themeResourceId, " - will use default theme"); theme = createDefaultTheme(); } else { Log.i("Applying loaded theme ", theme.id); } currentTheme = theme; onThemeChanged(); requestLayout(); return this; } /// to set uiLanguage and themeId to default (en, theme_default) if not set yet protected void setDefaultLanguageAndThemeIfNecessary() { if (!_uiLanguage) { Log.v("setDefaultLanguageAndThemeIfNecessary : setting UI language"); uiLanguage = "en"; } if (!_themeId) { Log.v("setDefaultLanguageAndThemeIfNecessary : setting UI theme"); uiTheme = "theme_default"; } } protected string[] _resourceDirs; /// returns list of resource directories @property string[] resourceDirs() { return _resourceDirs; } /// set list of directories to load resources from @property Platform resourceDirs(string[] dirs) { // setup resource directories - will use only existing directories drawableCache.setResourcePaths(dirs); _resourceDirs = drawableCache.resourcePaths; // setup i18n - look for i18n directory inside one of passed directories i18n.findTranslationsDir(dirs); return this; } /// open url in external browser bool openURL(string url) { import std.process; browse(url); return true; } /// show directory or file in OS file manager (explorer, finder, etc...) bool showInFileManager(string pathName) { Log.w("showInFileManager is not implemented for current platform"); return false; } /// handle theme change: e.g. reload some themed resources void onThemeChanged() { // override and call dispatchThemeChange for all windows } } /// get current platform object instance @property Platform platform() { return Platform.instance; } static if (ENABLE_OPENGL) { private __gshared bool _OPENGL_ENABLED = false; /// check if hardware acceleration is enabled @property bool openglEnabled() { return _OPENGL_ENABLED; } /// call on app initialization if OpenGL support is detected void setOpenglEnabled(bool enabled = true) { _OPENGL_ENABLED = enabled; if (enabled) glyphDestroyCallback = &onGlyphDestroyedCallback; else glyphDestroyCallback = null; } } else { @property bool openglEnabled() { return false; } void setOpenglEnabled(bool enabled = true) { // ignore } } version (Windows) { // to remove import extern(Windows) int DLANGUIWinMain(void* hInstance, void* hPrevInstance, char* lpCmdLine, int nCmdShow); } else { // to remove import extern(C) int DLANGUImain(string[] args); } /// put "mixin APP_ENTRY_POINT;" to main module of your dlangui based app mixin template APP_ENTRY_POINT() { /// workaround for link issue when WinMain is located in library version(Windows) { extern (Windows) int WinMain(void* hInstance, void* hPrevInstance, char* lpCmdLine, int nCmdShow) { try { int res = DLANGUIWinMain(hInstance, hPrevInstance, lpCmdLine, nCmdShow); return res; } catch (Exception e) { Log.e("Exception: ", e); return 1; } } } else { int main(string[] args) { return DLANGUImain(args); } } } /// initialize font manager on startup extern(C) bool initFontManager(); /// initialize logging (for win32 - to file ui.log, for other platforms - stderr; log level is TRACE for debug builds, and WARN for release builds) extern(C) void initLogs(); /// call this when all resources are supposed to be freed to report counts of non-freed resources by type extern(C) void releaseResourcesOnAppExit(); /// call this on application initialization extern(C) void initResourceManagers(); /// call this from shared static this() extern (C) void initSharedResourceManagers();
D
// https://issues.dlang.org/show_bug.cgi?id=19227 struct S { float f; } struct T { cfloat cf; } void main() { static assert(S.init is S.init); static assert(S.init != S.init); static assert(T.init is T.init); static assert(T.init != T.init); }
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 1 sediments, limestone 295.100006 74.0999985 5.19999981 0 23 35 -27 143 1971 6.5999999 6.5999999 1 sediments, weathered
D
// Written in the D programming language. /** This is a submodule of $(MREF std, algorithm). It contains generic _sorting algorithms. $(BOOKTABLE Cheat Sheet, $(TR $(TH Function Name) $(TH Description)) $(T2 completeSort, If $(D a = [10, 20, 30]) and $(D b = [40, 6, 15]), then $(D completeSort(a, b)) leaves $(D a = [6, 10, 15]) and $(D b = [20, 30, 40]). The range $(D a) must be sorted prior to the call, and as a result the combination $(D $(REF chain, std,range)(a, b)) is sorted.) $(T2 isPartitioned, $(D isPartitioned!"a < 0"([-1, -2, 1, 0, 2])) returns $(D true) because the predicate is $(D true) for a portion of the range and $(D false) afterwards.) $(T2 isSorted, $(D isSorted([1, 1, 2, 3])) returns $(D true).) $(T2 isStrictlyMonotonic, $(D isStrictlyMonotonic([1, 1, 2, 3])) returns $(D false).) $(T2 ordered, $(D ordered(1, 1, 2, 3)) returns $(D true).) $(T2 strictlyOrdered, $(D strictlyOrdered(1, 1, 2, 3)) returns $(D false).) $(T2 makeIndex, Creates a separate index for a range.) $(T2 merge, Lazily merges two or more sorted ranges.) $(T2 multiSort, Sorts by multiple keys.) $(T2 nextEvenPermutation, Computes the next lexicographically greater even permutation of a range in-place.) $(T2 nextPermutation, Computes the next lexicographically greater permutation of a range in-place.) $(T2 partialSort, If $(D a = [5, 4, 3, 2, 1]), then $(D partialSort(a, 3)) leaves $(D a[0 .. 3] = [1, 2, 3]). The other elements of $(D a) are left in an unspecified order.) $(T2 partition, Partitions a range according to a unary predicate.) $(T2 partition3, Partitions a range according to a binary predicate in three parts (less than, equal, greater than the given pivot). Pivot is not given as an index, but instead as an element independent from the range's content.) $(T2 pivotPartition, Partitions a range according to a binary predicate in two parts: less than or equal, and greater than or equal to the given pivot, passed as an index in the range.) $(T2 schwartzSort, Sorts with the help of the $(LUCKY Schwartzian transform).) $(T2 sort, Sorts.) $(T2 topN, Separates the top elements in a range.) $(T2 topNCopy, Copies out the top elements of a range.) $(T2 topNIndex, Builds an index of the top elements of a range.) ) Copyright: Andrei Alexandrescu 2008-. License: $(HTTP boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: $(HTTP erdani.com, Andrei Alexandrescu) Source: $(PHOBOSSRC std/algorithm/_sorting.d) Macros: T2=$(TR $(TDNW $(LREF $1)) $(TD $+)) */ module std.algorithm.sorting; import std.typecons : Flag; import std.algorithm.mutation : SwapStrategy; import std.functional; // : unaryFun, binaryFun; import std.range.primitives; // FIXME import std.range; // : SortedRange; import std.traits; import std.meta; // : allSatisfy; /** Specifies whether the output of certain algorithm is desired in sorted format. If set to $(D SortOutput.no), the output should not be sorted. Otherwise if set to $(D SortOutput.yes), the output should be sorted. */ alias SortOutput = Flag!"sortOutput"; // completeSort /** Sorts the random-access range $(D chain(lhs, rhs)) according to predicate $(D less). The left-hand side of the range $(D lhs) is assumed to be already sorted; $(D rhs) is assumed to be unsorted. The exact strategy chosen depends on the relative sizes of $(D lhs) and $(D rhs). Performs $(BIGOH lhs.length + rhs.length * log(rhs.length)) (best case) to $(BIGOH (lhs.length + rhs.length) * log(lhs.length + rhs.length)) (worst-case) evaluations of $(D swap). Params: less = The predicate to sort by. ss = The swapping strategy to use. lhs = The sorted, left-hand side of the random access range to be sorted. rhs = The unsorted, right-hand side of the random access range to be sorted. */ void completeSort(alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, RandomAccessRange1, RandomAccessRange2)(SortedRange!(RandomAccessRange1, less) lhs, RandomAccessRange2 rhs) if (hasLength!(RandomAccessRange2) && hasSlicing!(RandomAccessRange2)) { import std.algorithm.mutation : bringToFront; import std.range : chain, assumeSorted; // Probably this algorithm can be optimized by using in-place // merge auto lhsOriginal = lhs.release(); foreach (i; 0 .. rhs.length) { auto sortedSoFar = chain(lhsOriginal, rhs[0 .. i]); auto ub = assumeSorted!less(sortedSoFar).upperBound(rhs[i]); if (!ub.length) continue; bringToFront(ub.release(), rhs[i .. i + 1]); } } /// @safe unittest { import std.range : assumeSorted; int[] a = [ 1, 2, 3 ]; int[] b = [ 4, 0, 6, 5 ]; completeSort(assumeSorted(a), b); assert(a == [ 0, 1, 2 ]); assert(b == [ 3, 4, 5, 6 ]); } // isSorted /** Checks whether a $(REF_ALTTEXT forward range, isForwardRange, std,range,primitives) is sorted according to the comparison operation $(D less). Performs $(BIGOH r.length) evaluations of $(D less). Unlike `isSorted`, `isStrictlyMonotonic` does not allow for equal values, i.e. values for which both `less(a, b)` and `less(b, a)` are false. With either function, the predicate must be a strict ordering just like with `isSorted`. For example, using `"a <= b"` instead of `"a < b"` is incorrect and will cause failed assertions. Params: less = Predicate the range should be sorted by. r = Forward range to check for sortedness. Returns: `true` if the range is sorted, false otherwise. `isSorted` allows duplicates, `isStrictlyMonotonic` not. */ bool isSorted(alias less = "a < b", Range)(Range r) if (isForwardRange!(Range)) { if (r.empty) return true; static if (isRandomAccessRange!Range && hasLength!Range) { immutable limit = r.length - 1; foreach (i; 0 .. limit) { if (!binaryFun!less(r[i + 1], r[i])) continue; assert( !binaryFun!less(r[i], r[i + 1]), "Predicate for isSorted is not antisymmetric. Both" ~ " pred(a, b) and pred(b, a) are true for certain values."); return false; } } else { auto ahead = r.save; ahead.popFront(); size_t i; for (; !ahead.empty; ahead.popFront(), r.popFront(), ++i) { if (!binaryFun!less(ahead.front, r.front)) continue; // Check for antisymmetric predicate assert( !binaryFun!less(r.front, ahead.front), "Predicate for isSorted is not antisymmetric. Both" ~ " pred(a, b) and pred(b, a) are true for certain values."); return false; } } return true; } /// @safe unittest { assert([1, 1, 2].isSorted); // strictly monotonic doesn't allow duplicates assert(![1, 1, 2].isStrictlyMonotonic); int[] arr = [4, 3, 2, 1]; assert(!isSorted(arr)); assert(!isStrictlyMonotonic(arr)); assert(isSorted!"a > b"(arr)); assert(isStrictlyMonotonic!"a > b"(arr)); sort(arr); assert(isSorted(arr)); assert(isStrictlyMonotonic(arr)); } @safe unittest { import std.conv : to; // Issue 9457 auto x = "abcd"; assert(isSorted(x)); auto y = "acbd"; assert(!isSorted(y)); int[] a = [1, 2, 3]; assert(isSorted(a)); int[] b = [1, 3, 2]; assert(!isSorted(b)); // ignores duplicates int[] c = [1, 1, 2]; assert(isSorted(c)); dchar[] ds = "コーヒーが好きです"d.dup; sort(ds); string s = to!string(ds); assert(isSorted(ds)); // random-access assert(isSorted(s)); // bidirectional } @nogc @safe nothrow pure unittest { static immutable a = [1, 2, 3]; assert(a.isSorted); } /// ditto bool isStrictlyMonotonic(alias less = "a < b", Range)(Range r) if (isForwardRange!Range) { import std.algorithm.searching : findAdjacent; return findAdjacent!((a,b) => !binaryFun!less(a,b))(r).empty; } @safe unittest { import std.conv : to; assert("abcd".isStrictlyMonotonic); assert(!"aacd".isStrictlyMonotonic); assert(!"acb".isStrictlyMonotonic); assert([1, 2, 3].isStrictlyMonotonic); assert(![1, 3, 2].isStrictlyMonotonic); assert(![1, 1, 2].isStrictlyMonotonic); // ー occurs twice -> can't be strict dchar[] ds = "コーヒーが好きです"d.dup; sort(ds); string s = to!string(ds); assert(!isStrictlyMonotonic(ds)); // random-access assert(!isStrictlyMonotonic(s)); // bidirectional dchar[] ds2 = "コーヒが好きです"d.dup; sort(ds2); string s2 = to!string(ds2); assert(isStrictlyMonotonic(ds2)); // random-access assert(isStrictlyMonotonic(s2)); // bidirectional } @nogc @safe nothrow pure unittest { static immutable a = [1, 2, 3]; assert(a.isStrictlyMonotonic); } /** Like $(D isSorted), returns $(D true) if the given $(D values) are ordered according to the comparison operation $(D less). Unlike $(D isSorted), takes values directly instead of structured in a range. $(D ordered) allows repeated values, e.g. $(D ordered(1, 1, 2)) is $(D true). To verify that the values are ordered strictly monotonically, use $(D strictlyOrdered); $(D strictlyOrdered(1, 1, 2)) is $(D false). With either function, the predicate must be a strict ordering. For example, using $(D "a <= b") instead of $(D "a < b") is incorrect and will cause failed assertions. Params: values = The tested value less = The comparison predicate Returns: $(D true) if the values are ordered; $(D ordered) allows for duplicates, $(D strictlyOrdered) does not. */ bool ordered(alias less = "a < b", T...)(T values) if ((T.length == 2 && is(typeof(binaryFun!less(values[1], values[0])) : bool)) || (T.length > 2 && is(typeof(ordered!less(values[0 .. 1 + $ / 2]))) && is(typeof(ordered!less(values[$ / 2 .. $])))) ) { foreach (i, _; T[0 .. $ - 1]) { if (binaryFun!less(values[i + 1], values[i])) { assert(!binaryFun!less(values[i], values[i + 1]), __FUNCTION__ ~ ": incorrect non-strict predicate."); return false; } } return true; } /// ditto bool strictlyOrdered(alias less = "a < b", T...)(T values) if (is(typeof(ordered!less(values)))) { foreach (i, _; T[0 .. $ - 1]) { if (!binaryFun!less(values[i], values[i + 1])) { return false; } assert(!binaryFun!less(values[i + 1], values[i]), __FUNCTION__ ~ ": incorrect non-strict predicate."); } return true; } /// @safe unittest { assert(ordered(42, 42, 43)); assert(!strictlyOrdered(43, 42, 45)); assert(ordered(42, 42, 43)); assert(!strictlyOrdered(42, 42, 43)); assert(!ordered(43, 42, 45)); // Ordered lexicographically assert(ordered("Jane", "Jim", "Joe")); assert(strictlyOrdered("Jane", "Jim", "Joe")); // Incidentally also ordered by length decreasing assert(ordered!((a, b) => a.length > b.length)("Jane", "Jim", "Joe")); // ... but not strictly so: "Jim" and "Joe" have the same length assert(!strictlyOrdered!((a, b) => a.length > b.length)("Jane", "Jim", "Joe")); } // partition /** Partitions a range in two using the given $(D predicate). Specifically, reorders the range $(D r = [left, right$(RPAREN)) using $(D swap) such that all elements $(D i) for which $(D predicate(i)) is $(D true) come before all elements $(D j) for which $(D predicate(j)) returns $(D false). Performs $(BIGOH r.length) (if unstable or semistable) or $(BIGOH r.length * log(r.length)) (if stable) evaluations of $(D less) and $(D swap). The unstable version computes the minimum possible evaluations of $(D swap) (roughly half of those performed by the semistable version). Params: predicate = The predicate to partition by. ss = The swapping strategy to employ. r = The random-access range to partition. Returns: The right part of $(D r) after partitioning. If $(D ss == SwapStrategy.stable), $(D partition) preserves the relative ordering of all elements $(D a), $(D b) in $(D r) for which $(D predicate(a) == predicate(b)). If $(D ss == SwapStrategy.semistable), $(D partition) preserves the relative ordering of all elements $(D a), $(D b) in the left part of $(D r) for which $(D predicate(a) == predicate(b)). See_Also: STL's $(HTTP sgi.com/tech/stl/_partition.html, _partition)$(BR) STL's $(HTTP sgi.com/tech/stl/stable_partition.html, stable_partition) */ Range partition(alias predicate, SwapStrategy ss, Range)(Range r) if (ss == SwapStrategy.stable && isRandomAccessRange!(Range) && hasLength!Range && hasSlicing!Range) { import std.algorithm.mutation : bringToFront; alias pred = unaryFun!(predicate); if (r.empty) return r; if (r.length == 1) { if (pred(r.front)) r.popFront(); return r; } const middle = r.length / 2; alias recurse = .partition!(pred, ss, Range); auto lower = recurse(r[0 .. middle]); auto upper = recurse(r[middle .. r.length]); bringToFront(lower, r[middle .. r.length - upper.length]); return r[r.length - lower.length - upper.length .. r.length]; } ///ditto Range partition(alias predicate, SwapStrategy ss = SwapStrategy.unstable, Range)(Range r) if (ss != SwapStrategy.stable && isInputRange!Range && hasSwappableElements!Range) { import std.algorithm.mutation : swap; alias pred = unaryFun!(predicate); static if (ss == SwapStrategy.semistable) { if (r.empty) return r; for (; !r.empty; r.popFront()) { // skip the initial portion of "correct" elements if (pred(r.front)) continue; // hit the first "bad" element auto result = r; for (r.popFront(); !r.empty; r.popFront()) { if (!pred(r.front)) continue; swap(result.front, r.front); result.popFront(); } return result; } return r; } else { // Inspired from www.stepanovpapers.com/PAM3-partition_notes.pdf, // section "Bidirectional Partition Algorithm (Hoare)" static if (isDynamicArray!Range) { import std.algorithm.mutation : swapAt; // For dynamic arrays prefer index-based manipulation if (!r.length) return r; size_t lo = 0, hi = r.length - 1; for (;;) { for (;;) { if (lo > hi) return r[lo .. r.length]; if (!pred(r[lo])) break; ++lo; } // found the left bound assert(lo <= hi); for (;;) { if (lo == hi) return r[lo .. r.length]; if (pred(r[hi])) break; --hi; } // found the right bound, swap & make progress r.swapAt(lo++, hi--); } } else { import std.algorithm.mutation : swap; auto result = r; for (;;) { for (;;) { if (r.empty) return result; if (!pred(r.front)) break; r.popFront(); result.popFront(); } // found the left bound assert(!r.empty); for (;;) { if (pred(r.back)) break; r.popBack(); if (r.empty) return result; } // found the right bound, swap & make progress static if (is(typeof(swap(r.front, r.back)))) { swap(r.front, r.back); } else { auto t1 = r.moveFront(), t2 = r.moveBack(); r.front = t2; r.back = t1; } r.popFront(); result.popFront(); r.popBack(); } } } } /// @safe unittest { import std.algorithm.searching : count, find; import std.conv : text; import std.range.primitives : empty; import std.algorithm.mutation : SwapStrategy; auto Arr = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]; auto arr = Arr.dup; static bool even(int a) { return (a & 1) == 0; } // Partition arr such that even numbers come first auto r = partition!(even)(arr); // Now arr is separated in evens and odds. // Numbers may have become shuffled due to instability assert(r == arr[5 .. $]); assert(count!(even)(arr[0 .. 5]) == 5); assert(find!(even)(r).empty); // Can also specify the predicate as a string. // Use 'a' as the predicate argument name arr[] = Arr[]; r = partition!(q{(a & 1) == 0})(arr); assert(r == arr[5 .. $]); // Now for a stable partition: arr[] = Arr[]; r = partition!(q{(a & 1) == 0}, SwapStrategy.stable)(arr); // Now arr is [2 4 6 8 10 1 3 5 7 9], and r points to 1 assert(arr == [2, 4, 6, 8, 10, 1, 3, 5, 7, 9] && r == arr[5 .. $]); // In case the predicate needs to hold its own state, use a delegate: arr[] = Arr[]; int x = 3; // Put stuff greater than 3 on the left bool fun(int a) { return a > x; } r = partition!(fun, SwapStrategy.semistable)(arr); // Now arr is [4 5 6 7 8 9 10 2 3 1] and r points to 2 assert(arr == [4, 5, 6, 7, 8, 9, 10, 2, 3, 1] && r == arr[7 .. $]); } @safe unittest { import std.algorithm.internal : rndstuff; static bool even(int a) { return (a & 1) == 0; } // test with random data auto a = rndstuff!int(); partition!even(a); assert(isPartitioned!even(a)); auto b = rndstuff!string(); partition!`a.length < 5`(b); assert(isPartitioned!`a.length < 5`(b)); } // pivotPartition /** Partitions `r` around `pivot` using comparison function `less`, algorithm akin to $(LUCKY Hoare partition). Specifically, permutes elements of `r` and returns an index $(D k < r.length) such that: $(UL $(LI `r[pivot]` is swapped to `r[k]`) $(LI All elements `e` in subrange $(D r[0 .. k]) satisfy $(D !less(r[k], e)) (i.e. `r[k]` is greater than or equal to each element to its left according to predicate `less`)) $(LI All elements `e` in subrange $(D r[0 .. k]) satisfy $(D !less(e, r[k])) (i.e. `r[k]` is less than or equal to each element to its right according to predicate `less`))) If `r` contains equivalent elements, multiple permutations of `r` satisfy these constraints. In such cases, `pivotPartition` attempts to distribute equivalent elements fairly to the left and right of `k` such that `k` stays close to $(D r.length / 2). Params: less = The predicate used for comparison, modeled as a $(LUCKY strict weak ordering) (irreflexive, antisymmetric, transitive, and implying a transitive equivalence) r = The range being partitioned pivot = The index of the pivot for partitioning, must be less than `r.length` or `0` is `r.length` is `0` Returns: The new position of the pivot See_Also: $(HTTP jgrcs.info/index.php/jgrcs/article/view/142, Engineering of a Quicksort Partitioning Algorithm), D. Abhyankar, Journal of Global Research in Computer Science, February 2011. $(HTTPS youtube.com/watch?v=AxnotgLql0k, ACCU 2016 Keynote), Andrei Alexandrescu. */ size_t pivotPartition(alias less = "a < b", Range) (Range r, size_t pivot) if (isRandomAccessRange!Range && hasLength!Range && hasSlicing!Range) { assert(pivot < r.length || r.length == 0 && pivot == 0); if (r.length <= 1) return 0; import std.algorithm.mutation : swapAt, move; alias lt = binaryFun!less; // Pivot at the front r.swapAt(pivot, 0); // Fork implementation depending on nothrow copy, assignment, and // comparison. If all of these are nothrow, use the specialized // implementation discussed at https://youtube.com/watch?v=AxnotgLql0k. static if (is(typeof( () nothrow { auto x = r.front; x = r.front; return lt(x, x); } ))) { auto p = r[0]; // Plant the pivot in the end as well as a sentinel size_t lo = 0, hi = r.length - 1; auto save = move(r[hi]); r[hi] = p; // Vacancy is in r[$ - 1] now // Start process for (;;) { // Loop invariant version(unittest) { import std.algorithm.searching : all; assert(r[0 .. lo].all!(x => !lt(p, x))); assert(r[hi + 1 .. r.length].all!(x => !lt(x, p))); } do ++lo; while (lt(r[lo], p)); r[hi] = r[lo]; // Vacancy is now in r[lo] do --hi; while (lt(p, r[hi])); if (lo >= hi) break; r[lo] = r[hi]; // Vacancy is not in r[hi] } // Fixup assert(lo - hi <= 2); assert(!lt(p, r[hi])); if (lo == hi + 2) { assert(!lt(r[hi + 1], p)); r[lo] = r[hi + 1]; --lo; } r[lo] = save; if (lt(p, save)) --lo; assert(!lt(p, r[lo])); } else { size_t lo = 1, hi = r.length - 1; loop: for (;; lo++, hi--) { for (;; ++lo) { if (lo > hi) break loop; if (!lt(r[lo], r[0])) break; } // found the left bound: r[lo] >= r[0] assert(lo <= hi); for (;; --hi) { if (lo >= hi) break loop; if (!lt(r[0], r[hi])) break; } // found the right bound: r[hi] <= r[0], swap & make progress assert(!lt(r[lo], r[hi])); r.swapAt(lo, hi); } --lo; } r.swapAt(lo, 0); return lo; } /// @safe nothrow unittest { int[] a = [5, 3, 2, 6, 4, 1, 3, 7]; size_t pivot = pivotPartition(a, a.length / 2); import std.algorithm.searching : all; assert(a[0 .. pivot].all!(x => x <= a[pivot])); assert(a[pivot .. $].all!(x => x >= a[pivot])); } @safe unittest { void test(alias less)() { int[] a; size_t pivot; a = [-9, -4, -2, -2, 9]; pivot = pivotPartition!less(a, a.length / 2); import std.algorithm.searching : all; assert(a[0 .. pivot].all!(x => x <= a[pivot])); assert(a[pivot .. $].all!(x => x >= a[pivot])); a = [9, 2, 8, -5, 5, 4, -8, -4, 9]; pivot = pivotPartition!less(a, a.length / 2); assert(a[0 .. pivot].all!(x => x <= a[pivot])); assert(a[pivot .. $].all!(x => x >= a[pivot])); a = [ 42 ]; pivot = pivotPartition!less(a, a.length / 2); assert(pivot == 0); assert(a == [ 42 ]); a = [ 43, 42 ]; pivot = pivotPartition!less(a, 0); assert(pivot == 1); assert(a == [ 42, 43 ]); a = [ 43, 42 ]; pivot = pivotPartition!less(a, 1); assert(pivot == 0); assert(a == [ 42, 43 ]); a = [ 42, 42 ]; pivot = pivotPartition!less(a, 0); assert(pivot == 0 || pivot == 1); assert(a == [ 42, 42 ]); pivot = pivotPartition!less(a, 1); assert(pivot == 0 || pivot == 1); assert(a == [ 42, 42 ]); import std.random; import std.algorithm.iteration : map; import std.stdio; auto s = unpredictableSeed; auto g = Random(s); a = iota(0, uniform(1, 1000, g)) .map!(_ => uniform(-1000, 1000, g)) .array; scope(failure) writeln("RNG seed was ", s); pivot = pivotPartition!less(a, a.length / 2); assert(a[0 .. pivot].all!(x => x <= a[pivot])); assert(a[pivot .. $].all!(x => x >= a[pivot])); } test!"a < b"; static bool myLess(int a, int b) { static bool bogus; if (bogus) throw new Exception(""); // just to make it no-nothrow return a < b; } test!myLess; } /** Params: pred = The predicate that the range should be partitioned by. r = The range to check. Returns: $(D true) if $(D r) is partitioned according to predicate $(D pred). */ bool isPartitioned(alias pred, Range)(Range r) if (isForwardRange!(Range)) { for (; !r.empty; r.popFront()) { if (unaryFun!(pred)(r.front)) continue; for (r.popFront(); !r.empty; r.popFront()) { if (unaryFun!(pred)(r.front)) return false; } break; } return true; } /// @safe unittest { int[] r = [ 1, 3, 5, 7, 8, 2, 4, ]; assert(isPartitioned!"a & 1"(r)); } // partition3 /** Rearranges elements in $(D r) in three adjacent ranges and returns them. The first and leftmost range only contains elements in $(D r) less than $(D pivot). The second and middle range only contains elements in $(D r) that are equal to $(D pivot). Finally, the third and rightmost range only contains elements in $(D r) that are greater than $(D pivot). The less-than test is defined by the binary function $(D less). Params: less = The predicate to use for the rearrangement. ss = The swapping strategy to use. r = The random-access range to rearrange. pivot = The pivot element. Returns: A $(REF Tuple, std,typecons) of the three resulting ranges. These ranges are slices of the original range. BUGS: stable $(D partition3) has not been implemented yet. */ auto partition3(alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, Range, E) (Range r, E pivot) if (ss == SwapStrategy.unstable && isRandomAccessRange!Range && hasSwappableElements!Range && hasLength!Range && hasSlicing!Range && is(typeof(binaryFun!less(r.front, pivot)) == bool) && is(typeof(binaryFun!less(pivot, r.front)) == bool) && is(typeof(binaryFun!less(r.front, r.front)) == bool)) { // The algorithm is described in "Engineering a sort function" by // Jon Bentley et al, pp 1257. import std.algorithm.mutation : swap, swapAt, swapRanges; import std.algorithm.comparison : min; import std.typecons : tuple; alias lessFun = binaryFun!less; size_t i, j, k = r.length, l = k; bigloop: for (;;) { for (;; ++j) { if (j == k) break bigloop; assert(j < r.length); if (lessFun(r[j], pivot)) continue; if (lessFun(pivot, r[j])) break; r.swapAt(i++, j); } assert(j < k); for (;;) { assert(k > 0); if (!lessFun(pivot, r[--k])) { if (lessFun(r[k], pivot)) break; r.swapAt(k, --l); } if (j == k) break bigloop; } // Here we know r[j] > pivot && r[k] < pivot r.swapAt(j++, k); } // Swap the equal ranges from the extremes into the middle auto strictlyLess = j - i, strictlyGreater = l - k; auto swapLen = min(i, strictlyLess); swapRanges(r[0 .. swapLen], r[j - swapLen .. j]); swapLen = min(r.length - l, strictlyGreater); swapRanges(r[k .. k + swapLen], r[r.length - swapLen .. r.length]); return tuple(r[0 .. strictlyLess], r[strictlyLess .. r.length - strictlyGreater], r[r.length - strictlyGreater .. r.length]); } /// @safe unittest { auto a = [ 8, 3, 4, 1, 4, 7, 4 ]; auto pieces = partition3(a, 4); assert(pieces[0] == [ 1, 3 ]); assert(pieces[1] == [ 4, 4, 4 ]); assert(pieces[2] == [ 8, 7 ]); } @safe unittest { import std.random : uniform; auto a = new int[](uniform(0, 100)); foreach (ref e; a) { e = uniform(0, 50); } auto pieces = partition3(a, 25); assert(pieces[0].length + pieces[1].length + pieces[2].length == a.length); foreach (e; pieces[0]) { assert(e < 25); } foreach (e; pieces[1]) { assert(e == 25); } foreach (e; pieces[2]) { assert(e > 25); } } // makeIndex /** Computes an index for $(D r) based on the comparison $(D less). The index is a sorted array of pointers or indices into the original range. This technique is similar to sorting, but it is more flexible because (1) it allows "sorting" of immutable collections, (2) allows binary search even if the original collection does not offer random access, (3) allows multiple indexes, each on a different predicate, and (4) may be faster when dealing with large objects. However, using an index may also be slower under certain circumstances due to the extra indirection, and is always larger than a sorting-based solution because it needs space for the index in addition to the original collection. The complexity is the same as $(D sort)'s. The first overload of $(D makeIndex) writes to a range containing pointers, and the second writes to a range containing offsets. The first overload requires $(D Range) to be a $(REF_ALTTEXT forward range, isForwardRange, std,range,primitives), and the latter requires it to be a random-access range. $(D makeIndex) overwrites its second argument with the result, but never reallocates it. Params: less = The comparison to use. ss = The swapping strategy. r = The range to index. index = The resulting index. Returns: The pointer-based version returns a $(D SortedRange) wrapper over index, of type $(D SortedRange!(RangeIndex, (a, b) => binaryFun!less(*a, *b))) thus reflecting the ordering of the index. The index-based version returns $(D void) because the ordering relation involves not only $(D index) but also $(D r). Throws: If the second argument's length is less than that of the range indexed, an exception is thrown. */ SortedRange!(RangeIndex, (a, b) => binaryFun!less(*a, *b)) makeIndex( alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, Range, RangeIndex) (Range r, RangeIndex index) if (isForwardRange!(Range) && isRandomAccessRange!(RangeIndex) && is(ElementType!(RangeIndex) : ElementType!(Range)*)) { import std.algorithm.internal : addressOf; import std.exception : enforce; // assume collection already ordered size_t i; for (; !r.empty; r.popFront(), ++i) index[i] = addressOf(r.front); enforce(index.length == i); // sort the index sort!((a, b) => binaryFun!less(*a, *b), ss)(index); return typeof(return)(index); } /// Ditto void makeIndex( alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, Range, RangeIndex) (Range r, RangeIndex index) if (isRandomAccessRange!Range && !isInfinite!Range && isRandomAccessRange!RangeIndex && !isInfinite!RangeIndex && isIntegral!(ElementType!RangeIndex)) { import std.exception : enforce; import std.conv : to; alias IndexType = Unqual!(ElementType!RangeIndex); enforce(r.length == index.length, "r and index must be same length for makeIndex."); static if (IndexType.sizeof < size_t.sizeof) { enforce(r.length <= IndexType.max, "Cannot create an index with " ~ "element type " ~ IndexType.stringof ~ " with length " ~ to!string(r.length) ~ "."); } for (IndexType i = 0; i < r.length; ++i) { index[cast(size_t) i] = i; } // sort the index sort!((a, b) => binaryFun!less(r[cast(size_t) a], r[cast(size_t) b]), ss) (index); } /// @system unittest { immutable(int[]) arr = [ 2, 3, 1, 5, 0 ]; // index using pointers auto index1 = new immutable(int)*[arr.length]; makeIndex!("a < b")(arr, index1); assert(isSorted!("*a < *b")(index1)); // index using offsets auto index2 = new size_t[arr.length]; makeIndex!("a < b")(arr, index2); assert(isSorted! ((size_t a, size_t b){ return arr[a] < arr[b];}) (index2)); } @system unittest { debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); immutable(int)[] arr = [ 2, 3, 1, 5, 0 ]; // index using pointers auto index1 = new immutable(int)*[arr.length]; alias ImmRange = typeof(arr); alias ImmIndex = typeof(index1); static assert(isForwardRange!(ImmRange)); static assert(isRandomAccessRange!(ImmIndex)); static assert(!isIntegral!(ElementType!(ImmIndex))); static assert(is(ElementType!(ImmIndex) : ElementType!(ImmRange)*)); makeIndex!("a < b")(arr, index1); assert(isSorted!("*a < *b")(index1)); // index using offsets auto index2 = new long[arr.length]; makeIndex(arr, index2); assert(isSorted! ((long a, long b){ return arr[cast(size_t) a] < arr[cast(size_t) b]; })(index2)); // index strings using offsets string[] arr1 = ["I", "have", "no", "chocolate"]; auto index3 = new byte[arr1.length]; makeIndex(arr1, index3); assert(isSorted! ((byte a, byte b){ return arr1[a] < arr1[b];}) (index3)); } struct Merge(alias less = "a < b", Rs...) if (Rs.length >= 2 && allSatisfy!(isInputRange, Rs) && !is(CommonType!(staticMap!(ElementType, Rs)) == void)) { public Rs source; private size_t _lastFrontIndex = size_t.max; static if (isBidirectional) { private size_t _lastBackIndex = size_t.max; // `size_t.max` means uninitialized, } import std.functional : binaryFun; import std.traits : isCopyable; import std.typetuple : anySatisfy; private alias comp = binaryFun!less; private alias ElementType = CommonType!(staticMap!(.ElementType, Rs)); private enum isBidirectional = allSatisfy!(isBidirectionalRange, staticMap!(Unqual, Rs)); debug private enum canCheckSortedness = isCopyable!ElementType && !hasAliasing!ElementType; this(Rs source) { this.source = source; this._lastFrontIndex = frontIndex; } static if (anySatisfy!(isInfinite, Rs)) { enum bool empty = false; // propagate infiniteness } else { @property bool empty() { return _lastFrontIndex == size_t.max; } } @property auto ref front() { final switch (_lastFrontIndex) { foreach (i, _; Rs) { case i: assert(!source[i].empty); return source[i].front; } } } private size_t frontIndex() { size_t bestIndex = size_t.max; // indicate undefined Unqual!ElementType bestElement; foreach (i, _; Rs) { if (source[i].empty) continue; if (bestIndex == size_t.max || // either this is the first or comp(source[i].front, bestElement)) { bestIndex = i; bestElement = source[i].front; } } return bestIndex; } void popFront() { sw: final switch (_lastFrontIndex) { foreach (i, R; Rs) { case i: debug static if (canCheckSortedness) { ElementType previousFront = source[i].front(); } source[i].popFront(); debug static if (canCheckSortedness) { if (!source[i].empty) { assert(previousFront == source[i].front || comp(previousFront, source[i].front), "Input " ~ i.stringof ~ " is unsorted"); // @nogc } } break sw; } } _lastFrontIndex = frontIndex; } static if (isBidirectional) { @property auto ref back() { if (_lastBackIndex == size_t.max) { this._lastBackIndex = backIndex; // lazy initialization } final switch (_lastBackIndex) { foreach (i, _; Rs) { case i: assert(!source[i].empty); return source[i].back; } } } private size_t backIndex() { size_t bestIndex = size_t.max; // indicate undefined Unqual!ElementType bestElement; foreach (i, _; Rs) { if (source[i].empty) continue; if (bestIndex == size_t.max || // either this is the first or comp(bestElement, source[i].back)) { bestIndex = i; bestElement = source[i].back; } } return bestIndex; } void popBack() { if (_lastBackIndex == size_t.max) { this._lastBackIndex = backIndex; // lazy initialization } sw: final switch (_lastBackIndex) { foreach (i, R; Rs) { case i: debug static if (canCheckSortedness) { ElementType previousBack = source[i].back(); } source[i].popBack(); debug static if (canCheckSortedness) { if (!source[i].empty) { assert(previousBack == source[i].back || comp(source[i].back, previousBack), "Input " ~ i.stringof ~ " is unsorted"); // @nogc } } break sw; } } _lastBackIndex = backIndex; if (_lastBackIndex == size_t.max) // if emptied { _lastFrontIndex = size_t.max; } } } static if (allSatisfy!(isForwardRange, staticMap!(Unqual, Rs))) { @property auto save() { auto result = this; foreach (i, _; Rs) { result.source[i] = result.source[i].save; } return result; } } static if (allSatisfy!(hasLength, Rs)) { @property size_t length() { size_t result; foreach (i, _; Rs) { result += source[i].length; } return result; } alias opDollar = length; } } /** Merge multiple sorted ranges `rs` with less-than predicate function `pred` into one single sorted output range containing the sorted union of the elements of inputs. Duplicates are not eliminated, meaning that the total number of elements in the output is the sum of all elements in the ranges passed to it; the `length` member is offered if all inputs also have `length`. The element types of all the inputs must have a common type `CommonType`. Params: less = Predicate the given ranges are sorted by. rs = The ranges to compute the union for. Returns: A range containing the union of the given ranges. Details: All of its inputs are assumed to be sorted. This can mean that inputs are instances of $(REF SortedRange, std,range). Use the result of $(REF sort, std,algorithm,sorting), or $(REF assumeSorted, std,range) to merge ranges known to be sorted (show in the example below). Note that there is currently no way of ensuring that two or more instances of $(REF SortedRange, std,range) are sorted using a specific comparison function `pred`. Therefore no checking is done here to assure that all inputs `rs` are instances of $(REF SortedRange, std,range). This algorithm is lazy, doing work progressively as elements are pulled off the result. Time complexity is proportional to the sum of element counts over all inputs. If all inputs have the same element type and offer it by `ref`, output becomes a range with mutable `front` (and `back` where appropriate) that reflects in the original inputs. If any of the inputs `rs` is infinite so is the result (`empty` being always `false`). */ Merge!(less, Rs) merge(alias less = "a < b", Rs...)(Rs rs) if (Rs.length >= 2 && allSatisfy!(isInputRange, Rs) && !is(CommonType!(staticMap!(ElementType, Rs)) == void)) { return typeof(return)(rs); } /// @safe pure nothrow unittest { import std.algorithm.comparison : equal; import std.range : retro; int[] a = [1, 3, 5]; int[] b = [2, 3, 4]; assert(a.merge(b).equal([1, 2, 3, 3, 4, 5])); assert(a.merge(b).retro.equal([5, 4, 3, 3, 2, 1])); } @safe pure nothrow unittest { import std.algorithm.comparison : equal; int[] a = [ 1, 2, 4, 5, 7, 9 ]; int[] b = [ 0, 1, 2, 4, 7, 8 ]; double[] c = [ 10.5 ]; assert(merge(a, b).length == a.length + b.length); assert(equal(merge(a, b), [0, 1, 1, 2, 2, 4, 4, 5, 7, 7, 8, 9][])); assert(equal(merge(a, c, b), [0, 1, 1, 2, 2, 4, 4, 5, 7, 7, 8, 9, 10.5][])); auto u = merge(a, b); u.front--; assert(equal(u, [-1, 1, 1, 2, 2, 4, 4, 5, 7, 7, 8, 9][])); } @safe pure nothrow unittest { // save import std.range : dropOne; int[] a = [1, 2]; int[] b = [0, 3]; auto arr = a.merge(b); assert(arr.front == 0); assert(arr.save.dropOne.front == 1); assert(arr.front == 0); } @safe pure nothrow unittest { import std.algorithm.comparison : equal; import std.internal.test.dummyrange; auto dummyResult1 = [1, 1, 1.5, 2, 3, 4, 5, 5.5, 6, 7, 8, 9, 10]; auto dummyResult2 = [1, 1, 2, 2, 3, 3, 4, 4, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9, 10, 10]; foreach (DummyType; AllDummyRanges) { DummyType d; assert(d.merge([1, 1.5, 5.5]).equal(dummyResult1)); assert(d.merge(d).equal(dummyResult2)); } } @nogc @safe pure nothrow unittest { import std.algorithm.comparison : equal; static immutable a = [1, 3, 5]; static immutable b = [2, 3, 4]; static immutable r = [1, 2, 3, 3, 4, 5]; assert(a.merge(b).equal(r)); } /// test bi-directional access and common type @safe pure nothrow unittest { import std.algorithm.comparison : equal; import std.range : retro; import std.traits : CommonType; alias S = short; alias I = int; alias D = double; S[] a = [1, 2, 3]; I[] b = [50, 60]; D[] c = [10, 20, 30, 40]; auto m = merge(a, b, c); static assert(is(typeof(m.front) == CommonType!(S, I, D))); assert(equal(m, [1, 2, 3, 10, 20, 30, 40, 50, 60])); assert(equal(m.retro, [60, 50, 40, 30, 20, 10, 3, 2, 1])); m.popFront(); assert(equal(m, [2, 3, 10, 20, 30, 40, 50, 60])); m.popBack(); assert(equal(m, [2, 3, 10, 20, 30, 40, 50])); m.popFront(); assert(equal(m, [3, 10, 20, 30, 40, 50])); m.popBack(); assert(equal(m, [3, 10, 20, 30, 40])); m.popFront(); assert(equal(m, [10, 20, 30, 40])); m.popBack(); assert(equal(m, [10, 20, 30])); m.popFront(); assert(equal(m, [20, 30])); m.popBack(); assert(equal(m, [20])); m.popFront(); assert(m.empty); } private template validPredicates(E, less...) { static if (less.length == 0) enum validPredicates = true; else static if (less.length == 1 && is(typeof(less[0]) == SwapStrategy)) enum validPredicates = true; else enum validPredicates = is(typeof((E a, E b){ bool r = binaryFun!(less[0])(a, b); })) && validPredicates!(E, less[1 .. $]); } /** $(D auto multiSort(Range)(Range r) if (validPredicates!(ElementType!Range, less));) Sorts a range by multiple keys. The call $(D multiSort!("a.id < b.id", "a.date > b.date")(r)) sorts the range $(D r) by $(D id) ascending, and sorts elements that have the same $(D id) by $(D date) descending. Such a call is equivalent to $(D sort!"a.id != b.id ? a.id < b.id : a.date > b.date"(r)), but $(D multiSort) is faster because it does fewer comparisons (in addition to being more convenient). Returns: The initial range wrapped as a $(D SortedRange) with its predicates converted to an equivalent single predicate. */ template multiSort(less...) //if (less.length > 1) { auto multiSort(Range)(Range r) if (validPredicates!(ElementType!Range, less)) { import std.range : assumeSorted; import std.meta : AliasSeq; static if (is(typeof(less[$ - 1]) == SwapStrategy)) { enum ss = less[$ - 1]; alias funs = less[0 .. $ - 1]; } else { enum ss = SwapStrategy.unstable; alias funs = less; } static if (funs.length == 0) static assert(false, "No sorting predicate provided for multiSort"); else static if (funs.length == 1) return sort!(funs[0], ss, Range)(r); else { multiSortImpl!(Range, ss, funs)(r); return assumeSorted!(multiSortPredFun!(Range, funs))(r); } } } private bool multiSortPredFun(Range, funs...)(ElementType!Range a, ElementType!Range b) { foreach (f; funs) { alias lessFun = binaryFun!(f); if (lessFun(a, b)) return true; if (lessFun(b, a)) return false; } return false; } private void multiSortImpl(Range, SwapStrategy ss, funs...)(Range r) { alias lessFun = binaryFun!(funs[0]); static if (funs.length > 1) { while (r.length > 1) { auto p = getPivot!lessFun(r); auto t = partition3!(funs[0], ss)(r, r[p]); if (t[0].length <= t[2].length) { multiSortImpl!(Range, ss, funs)(t[0]); multiSortImpl!(Range, ss, funs[1 .. $])(t[1]); r = t[2]; } else { multiSortImpl!(Range, ss, funs[1 .. $])(t[1]); multiSortImpl!(Range, ss, funs)(t[2]); r = t[0]; } } } else { sort!(lessFun, ss)(r); } } /// @safe unittest { import std.algorithm.mutation : SwapStrategy; static struct Point { int x, y; } auto pts1 = [ Point(0, 0), Point(5, 5), Point(0, 1), Point(0, 2) ]; auto pts2 = [ Point(0, 0), Point(0, 1), Point(0, 2), Point(5, 5) ]; multiSort!("a.x < b.x", "a.y < b.y", SwapStrategy.unstable)(pts1); assert(pts1 == pts2); } @safe unittest { import std.algorithm.comparison : equal; import std.range; static struct Point { int x, y; } auto pts1 = [ Point(5, 6), Point(1, 0), Point(5, 7), Point(1, 1), Point(1, 2), Point(0, 1) ]; auto pts2 = [ Point(0, 1), Point(1, 0), Point(1, 1), Point(1, 2), Point(5, 6), Point(5, 7) ]; static assert(validPredicates!(Point, "a.x < b.x", "a.y < b.y")); multiSort!("a.x < b.x", "a.y < b.y", SwapStrategy.unstable)(pts1); assert(pts1 == pts2); auto pts3 = indexed(pts1, iota(pts1.length)); assert(pts3.multiSort!("a.x < b.x", "a.y < b.y", SwapStrategy.unstable).release.equal(pts2)); auto pts4 = iota(10).array; assert(pts4.multiSort!("a > b").release.equal(iota(10).retro)); } @safe unittest //issue 9160 (L-value only comparators) { static struct A { int x; int y; } static bool byX(const ref A lhs, const ref A rhs) { return lhs.x < rhs.x; } static bool byY(const ref A lhs, const ref A rhs) { return lhs.y < rhs.y; } auto points = [ A(4, 1), A(2, 4)]; multiSort!(byX, byY)(points); assert(points[0] == A(2, 4)); assert(points[1] == A(4, 1)); } @safe unittest // issue 16179 (cannot access frame of function) { auto arr = [[1, 2], [2, 0], [1, 0], [1, 1]]; int c = 3; arr.multiSort!( (a, b) => a[0] < b[0], (a, b) => c*a[1] < c*b[1] ); assert(arr == [[1, 0], [1, 1], [1, 2], [2, 0]]); } @safe unittest //Issue 16413 - @system comparison function { bool lt(int a, int b) { return a < b; } static @system auto a = [2, 1]; a.multiSort!(lt, lt); assert(a == [1, 2]); } private size_t getPivot(alias less, Range)(Range r) { auto mid = r.length / 2; if (r.length < 512) { if (r.length >= 32) medianOf!less(r, size_t(0), mid, r.length - 1); return mid; } // The plan here is to take the median of five by taking five elements in // the array, segregate around their median, and return the position of the // third. We choose first, mid, last, and two more in between those. auto quarter = r.length / 4; medianOf!less(r, size_t(0), mid - quarter, mid, mid + quarter, r.length - 1); return mid; } /* Sorting routine that is optimized for short ranges. Note: uses insertion sort going downward. Benchmarked a similar routine that goes upward, for some reason it's slower. */ private void shortSort(alias less, Range)(Range r) { import std.algorithm.mutation : swapAt; alias pred = binaryFun!(less); switch (r.length) { case 0: case 1: return; case 2: if (pred(r[1], r[0])) r.swapAt(0, 1); return; case 3: if (pred(r[2], r[0])) { if (pred(r[0], r[1])) { r.swapAt(0, 1); r.swapAt(0, 2); } else { r.swapAt(0, 2); if (pred(r[1], r[0])) r.swapAt(0, 1); } } else { if (pred(r[1], r[0])) { r.swapAt(0, 1); } else { if (pred(r[2], r[1])) r.swapAt(1, 2); } } return; case 4: if (pred(r[1], r[0])) r.swapAt(0, 1); if (pred(r[3], r[2])) r.swapAt(2, 3); if (pred(r[2], r[0])) r.swapAt(0, 2); if (pred(r[3], r[1])) r.swapAt(1, 3); if (pred(r[2], r[1])) r.swapAt(1, 2); return; default: sort5!pred(r[r.length - 5 .. r.length]); if (r.length == 5) return; break; } assert(r.length >= 6); /* The last 5 elements of the range are sorted. Proceed with expanding the sorted portion downward. */ immutable maxJ = r.length - 2; for (size_t i = r.length - 6; ; --i) { static if (is(typeof(() nothrow { auto t = r[0]; if (pred(t, r[0])) r[0] = r[0]; }))) // Can we afford to temporarily invalidate the array? { size_t j = i + 1; auto temp = r[i]; if (pred(r[j], temp)) { do { r[j - 1] = r[j]; ++j; } while (j < r.length && pred(r[j], temp)); r[j - 1] = temp; } } else { size_t j = i; while (pred(r[j + 1], r[j])) { r.swapAt(j, j + 1); if (j == maxJ) break; ++j; } } if (i == 0) break; } } @safe unittest { import std.random : Random, uniform; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); auto rnd = Random(1); auto a = new int[uniform(100, 200, rnd)]; foreach (ref e; a) { e = uniform(-100, 100, rnd); } shortSort!(binaryFun!("a < b"), int[])(a); assert(isSorted(a)); } /* Sorts the first 5 elements exactly of range r. */ private void sort5(alias lt, Range)(Range r) { assert(r.length >= 5); import std.algorithm.mutation : swapAt; // 1. Sort first two pairs if (lt(r[1], r[0])) r.swapAt(0, 1); if (lt(r[3], r[2])) r.swapAt(2, 3); // 2. Arrange first two pairs by the largest element if (lt(r[3], r[1])) { r.swapAt(0, 2); r.swapAt(1, 3); } assert(!lt(r[1], r[0]) && !lt(r[3], r[1]) && !lt(r[3], r[2])); // 3. Insert 4 into [0, 1, 3] if (lt(r[4], r[1])) { r.swapAt(3, 4); r.swapAt(1, 3); if (lt(r[1], r[0])) { r.swapAt(0, 1); } } else if (lt(r[4], r[3])) { r.swapAt(3, 4); } assert(!lt(r[1], r[0]) && !lt(r[3], r[1]) && !lt(r[4], r[3])); // 4. Insert 2 into [0, 1, 3, 4] (note: we already know the last is greater) assert(!lt(r[4], r[2])); if (lt(r[2], r[1])) { r.swapAt(1, 2); if (lt(r[1], r[0])) { r.swapAt(0, 1); } } else if (lt(r[3], r[2])) { r.swapAt(2, 3); } // 7 comparisons, 0-9 swaps } @safe unittest { import std.algorithm.iteration : permutations; import std.algorithm.mutation : copy; int[5] buf; foreach (per; iota(5).permutations) { per.copy(buf[]); sort5!((a, b) => a < b)(buf[]); assert(buf[].isSorted); } } // sort /** Sorts a random-access range according to the predicate $(D less). Performs $(BIGOH r.length * log(r.length)) evaluations of $(D less). If `less` involves expensive computations on the _sort key, it may be worthwhile to use $(LREF schwartzSort) instead. Stable sorting requires $(D hasAssignableElements!Range) to be true. $(D sort) returns a $(REF SortedRange, std,range) over the original range, allowing functions that can take advantage of sorted data to know that the range is sorted and adjust accordingly. The $(REF SortedRange, std,range) is a wrapper around the original range, so both it and the original range are sorted. Other functions can't know that the original range has been sorted, but they $(I can) know that $(REF SortedRange, std,range) has been sorted. Preconditions: The predicate is expected to satisfy certain rules in order for $(D sort) to behave as expected - otherwise, the program may fail on certain inputs (but not others) when not compiled in release mode, due to the cursory $(D assumeSorted) check. Specifically, $(D sort) expects $(D less(a,b) && less(b,c)) to imply $(D less(a,c)) (transitivity), and, conversely, $(D !less(a,b) && !less(b,c)) to imply $(D !less(a,c)). Note that the default predicate ($(D "a < b")) does not always satisfy these conditions for floating point types, because the expression will always be $(D false) when either $(D a) or $(D b) is NaN. Use $(REF cmp, std,math) instead. Params: less = The predicate to sort by. ss = The swapping strategy to use. r = The range to sort. Returns: The initial range wrapped as a $(D SortedRange) with the predicate $(D binaryFun!less). Algorithms: $(HTTP en.wikipedia.org/wiki/Introsort, Introsort) is used for unstable sorting and $(HTTP en.wikipedia.org/wiki/Timsort, Timsort) is used for stable sorting. Each algorithm has benefits beyond stability. Introsort is generally faster but Timsort may achieve greater speeds on data with low entropy or if predicate calls are expensive. Introsort performs no allocations whereas Timsort will perform one or more allocations per call. Both algorithms have $(BIGOH n log n) worst-case time complexity. See_Also: $(REF assumeSorted, std,range)$(BR) $(REF SortedRange, std,range)$(BR) $(REF SwapStrategy, std,algorithm,mutation)$(BR) $(REF binaryFun, std,functional) */ SortedRange!(Range, less) sort(alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, Range)(Range r) if (((ss == SwapStrategy.unstable && (hasSwappableElements!Range || hasAssignableElements!Range)) || (ss != SwapStrategy.unstable && hasAssignableElements!Range)) && isRandomAccessRange!Range && hasSlicing!Range && hasLength!Range) /+ Unstable sorting uses the quicksort algorithm, which uses swapAt, which either uses swap(...), requiring swappable elements, or just swaps using assignment. Stable sorting uses TimSort, which needs to copy elements into a buffer, requiring assignable elements. +/ { import std.range : assumeSorted; alias lessFun = binaryFun!(less); alias LessRet = typeof(lessFun(r.front, r.front)); // instantiate lessFun static if (is(LessRet == bool)) { static if (ss == SwapStrategy.unstable) quickSortImpl!(lessFun)(r, r.length); else //use Tim Sort for semistable & stable TimSortImpl!(lessFun, Range).sort(r, null); assert(isSorted!lessFun(r), "Failed to sort range of type " ~ Range.stringof); } else { static assert(false, "Invalid predicate passed to sort: " ~ less.stringof); } return assumeSorted!less(r); } /// @safe pure nothrow unittest { int[] array = [ 1, 2, 3, 4 ]; // sort in descending order array.sort!("a > b"); assert(array == [ 4, 3, 2, 1 ]); // sort in ascending order array.sort(); assert(array == [ 1, 2, 3, 4 ]); // sort with reusable comparator and chain alias myComp = (x, y) => x > y; assert(array.sort!(myComp).release == [ 4, 3, 2, 1 ]); } /// @safe unittest { // Showcase stable sorting import std.algorithm.mutation : SwapStrategy; string[] words = [ "aBc", "a", "abc", "b", "ABC", "c" ]; sort!("toUpper(a) < toUpper(b)", SwapStrategy.stable)(words); assert(words == [ "a", "aBc", "abc", "ABC", "b", "c" ]); } /// @safe unittest { // Sorting floating-point numbers in presence of NaN double[] numbers = [-0.0, 3.0, -2.0, double.nan, 0.0, -double.nan]; import std.math : cmp, isIdentical; import std.algorithm.comparison : equal; sort!((a, b) => cmp(a, b) < 0)(numbers); double[] sorted = [-double.nan, -2.0, -0.0, 0.0, 3.0, double.nan]; assert(numbers.equal!isIdentical(sorted)); } @safe unittest { // Simple regression benchmark import std.random, std.algorithm.iteration, std.algorithm.mutation; Random rng; int[] a = iota(20148).map!(_ => uniform(-1000, 1000, rng)).array; static uint comps; static bool less(int a, int b) { ++comps; return a < b; } sort!less(a); // random numbers sort!less(a); // sorted ascending a.reverse(); sort!less(a); // sorted descending a[] = 0; sort!less(a); // all equal // This should get smaller with time. On occasion it may go larger, but only // if there's thorough justification. debug enum uint watermark = 1676280; else enum uint watermark = 1676220; import std.conv; assert(comps <= watermark, text("You seem to have pessimized sort! ", watermark, " < ", comps)); assert(comps >= watermark, text("You seem to have improved sort!", " Please update watermark from ", watermark, " to ", comps)); } @safe unittest { import std.algorithm.internal : rndstuff; import std.algorithm.mutation : swapRanges; import std.random : Random, unpredictableSeed, uniform; import std.uni : toUpper; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); // sort using delegate auto a = new int[100]; auto rnd = Random(unpredictableSeed); foreach (ref e; a) { e = uniform(-100, 100, rnd); } int i = 0; bool greater2(int a, int b) @safe { return a + i > b + i; } auto greater = &greater2; sort!(greater)(a); assert(isSorted!(greater)(a)); // sort using string sort!("a < b")(a); assert(isSorted!("a < b")(a)); // sort using function; all elements equal foreach (ref e; a) { e = 5; } static bool less(int a, int b) { return a < b; } sort!(less)(a); assert(isSorted!(less)(a)); string[] words = [ "aBc", "a", "abc", "b", "ABC", "c" ]; bool lessi(string a, string b) { return toUpper(a) < toUpper(b); } sort!(lessi, SwapStrategy.stable)(words); assert(words == [ "a", "aBc", "abc", "ABC", "b", "c" ]); // sort using ternary predicate //sort!("b - a")(a); //assert(isSorted!(less)(a)); a = rndstuff!(int)(); sort(a); assert(isSorted(a)); auto b = rndstuff!(string)(); sort!("toLower(a) < toLower(b)")(b); assert(isSorted!("toUpper(a) < toUpper(b)")(b)); { // Issue 10317 enum E_10317 { a, b } auto a_10317 = new E_10317[10]; sort(a_10317); } { // Issue 7767 // Unstable sort should complete without an excessive number of predicate calls // This would suggest it's running in quadratic time // Compilation error if predicate is not static, i.e. a nested function static uint comp; static bool pred(size_t a, size_t b) { ++comp; return a < b; } size_t[] arr; arr.length = 1024; foreach (k; 0 .. arr.length) arr[k] = k; swapRanges(arr[0..$/2], arr[$/2..$]); sort!(pred, SwapStrategy.unstable)(arr); assert(comp < 25_000); } { import std.algorithm.mutation : swap; bool proxySwapCalled; struct S { int i; alias i this; void proxySwap(ref S other) { swap(i, other.i); proxySwapCalled = true; } @disable void opAssign(S value); } alias R = S[]; R r = [S(3), S(2), S(1)]; static assert(hasSwappableElements!R); static assert(!hasAssignableElements!R); r.sort(); assert(proxySwapCalled); } } private void quickSortImpl(alias less, Range)(Range r, size_t depth) { import std.algorithm.mutation : swap, swapAt; import std.algorithm.comparison : min, max; alias Elem = ElementType!(Range); enum size_t shortSortGetsBetter = max(32, 1024 / Elem.sizeof); static assert(shortSortGetsBetter >= 1); // partition while (r.length > shortSortGetsBetter) { if (depth == 0) { HeapOps!(less, Range).heapSort(r); return; } depth = depth >= depth.max / 2 ? (depth / 3) * 2 : (depth * 2) / 3; const pivotIdx = getPivot!(less)(r); auto pivot = r[pivotIdx]; // partition r.swapAt(pivotIdx, r.length - 1); size_t lessI = size_t.max, greaterI = r.length - 1; outer: for (;;) { alias pred = binaryFun!less; while (pred(r[++lessI], pivot)) {} assert(lessI <= greaterI, "sort: invalid comparison function."); for (;;) { if (greaterI == lessI) break outer; if (!pred(pivot, r[--greaterI])) break; } assert(lessI <= greaterI, "sort: invalid comparison function."); if (lessI == greaterI) break; r.swapAt(lessI, greaterI); } r.swapAt(r.length - 1, lessI); auto left = r[0 .. lessI], right = r[lessI + 1 .. r.length]; if (right.length > left.length) { swap(left, right); } .quickSortImpl!(less, Range)(right, depth); r = left; } // residual sort static if (shortSortGetsBetter > 1) { shortSort!(less, Range)(r); } } // Heap operations for random-access ranges package(std) template HeapOps(alias less, Range) { import std.algorithm.mutation : swapAt; static assert(isRandomAccessRange!Range); static assert(hasLength!Range); static assert(hasSwappableElements!Range || hasAssignableElements!Range); alias lessFun = binaryFun!less; //template because of @@@12410@@@ void heapSort()(Range r) { // If true, there is nothing to do if (r.length < 2) return; // Build Heap buildHeap(r); // Sort for (size_t i = r.length - 1; i > 0; --i) { r.swapAt(0, i); percolate(r, 0, i); } } //template because of @@@12410@@@ void buildHeap()(Range r) { immutable n = r.length; for (size_t i = n / 2; i-- > 0; ) { siftDown(r, i, n); } assert(isHeap(r)); } bool isHeap()(Range r) { size_t parent = 0; foreach (child; 1 .. r.length) { if (lessFun(r[parent], r[child])) return false; // Increment parent every other pass parent += !(child & 1); } return true; } // Sifts down r[parent] (which is initially assumed to be messed up) so the // heap property is restored for r[parent .. end]. // template because of @@@12410@@@ void siftDown()(Range r, size_t parent, immutable size_t end) { for (;;) { auto child = (parent + 1) * 2; if (child >= end) { // Leftover left child? if (child == end && lessFun(r[parent], r[--child])) r.swapAt(parent, child); break; } auto leftChild = child - 1; if (lessFun(r[child], r[leftChild])) child = leftChild; if (!lessFun(r[parent], r[child])) break; r.swapAt(parent, child); parent = child; } } // Alternate version of siftDown that performs fewer comparisons, see // https://en.wikipedia.org/wiki/Heapsort#Bottom-up_heapsort. The percolate // process first sifts the parent all the way down (without comparing it // against the leaves), and then a bit up until the heap property is // restored. So there are more swaps but fewer comparisons. Gains are made // when the final position is likely to end toward the bottom of the heap, // so not a lot of sifts back are performed. //template because of @@@12410@@@ void percolate()(Range r, size_t parent, immutable size_t end) { immutable root = parent; // Sift down for (;;) { auto child = (parent + 1) * 2; if (child >= end) { if (child == end) { // Leftover left node. --child; r.swapAt(parent, child); parent = child; } break; } auto leftChild = child - 1; if (lessFun(r[child], r[leftChild])) child = leftChild; r.swapAt(parent, child); parent = child; } // Sift up for (auto child = parent; child > root; child = parent) { parent = (child - 1) / 2; if (!lessFun(r[parent], r[child])) break; r.swapAt(parent, child); } } } // Tim Sort implementation private template TimSortImpl(alias pred, R) { import core.bitop : bsr; import std.array : uninitializedArray; static assert(isRandomAccessRange!R); static assert(hasLength!R); static assert(hasSlicing!R); static assert(hasAssignableElements!R); alias T = ElementType!R; alias less = binaryFun!pred; alias greater = (a, b) => less(b, a); alias greaterEqual = (a, b) => !less(a, b); alias lessEqual = (a, b) => !less(b, a); enum minimalMerge = 128; enum minimalGallop = 7; enum minimalStorage = 256; enum stackSize = 40; struct Slice{ size_t base, length; } // Entry point for tim sort void sort()(R range, T[] temp) { import std.algorithm.comparison : min; // Do insertion sort on small range if (range.length <= minimalMerge) { binaryInsertionSort(range); return; } immutable minRun = minRunLength(range.length); immutable minTemp = min(range.length / 2, minimalStorage); size_t minGallop = minimalGallop; Slice[stackSize] stack = void; size_t stackLen = 0; // Allocate temporary memory if not provided by user if (temp.length < minTemp) temp = () @trusted { return uninitializedArray!(T[])(minTemp); }(); for (size_t i = 0; i < range.length; ) { // Find length of first run in list size_t runLen = firstRun(range[i .. range.length]); // If run has less than minRun elements, extend using insertion sort if (runLen < minRun) { // Do not run farther than the length of the range immutable force = range.length - i > minRun ? minRun : range.length - i; binaryInsertionSort(range[i .. i + force], runLen); runLen = force; } // Push run onto stack stack[stackLen++] = Slice(i, runLen); i += runLen; // Collapse stack so that (e1 > e2 + e3 && e2 > e3) // STACK is | ... e1 e2 e3 > while (stackLen > 1) { immutable run4 = stackLen - 1; immutable run3 = stackLen - 2; immutable run2 = stackLen - 3; immutable run1 = stackLen - 4; if ( (stackLen > 2 && stack[run2].length <= stack[run3].length + stack[run4].length) || (stackLen > 3 && stack[run1].length <= stack[run3].length + stack[run2].length) ) { immutable at = stack[run2].length < stack[run4].length ? run2 : run3; mergeAt(range, stack[0 .. stackLen], at, minGallop, temp); } else if (stack[run3].length > stack[run4].length) break; else mergeAt(range, stack[0 .. stackLen], run3, minGallop, temp); stackLen -= 1; } // Assert that the code above established the invariant correctly version (assert) { if (stackLen == 2) assert(stack[0].length > stack[1].length); else if (stackLen > 2) { foreach (k; 2 .. stackLen) { assert(stack[k - 2].length > stack[k - 1].length + stack[k].length); assert(stack[k - 1].length > stack[k].length); } } } } // Force collapse stack until there is only one run left while (stackLen > 1) { immutable run3 = stackLen - 1; immutable run2 = stackLen - 2; immutable run1 = stackLen - 3; immutable at = stackLen >= 3 && stack[run1].length <= stack[run3].length ? run1 : run2; mergeAt(range, stack[0 .. stackLen], at, minGallop, temp); --stackLen; } } // Calculates optimal value for minRun: // take first 6 bits of n and add 1 if any lower bits are set size_t minRunLength()(size_t n) { immutable shift = bsr(n)-5; auto result = (n >> shift) + !!(n & ~((1 << shift)-1)); return result; } // Returns length of first run in range size_t firstRun()(R range) out(ret) { assert(ret <= range.length); } body { import std.algorithm.mutation : reverse; if (range.length < 2) return range.length; size_t i = 2; if (lessEqual(range[0], range[1])) { while (i < range.length && lessEqual(range[i-1], range[i])) ++i; } else { while (i < range.length && greater(range[i-1], range[i])) ++i; reverse(range[0 .. i]); } return i; } // A binary insertion sort for building runs up to minRun length void binaryInsertionSort()(R range, size_t sortedLen = 1) out { if (!__ctfe) assert(isSorted!pred(range)); } body { import std.algorithm.mutation : move; for (; sortedLen < range.length; ++sortedLen) { T item = range.moveAt(sortedLen); size_t lower = 0; size_t upper = sortedLen; while (upper != lower) { size_t center = (lower + upper) / 2; if (less(item, range[center])) upper = center; else lower = center + 1; } //Currently (DMD 2.061) moveAll+retro is slightly less //efficient then stright 'for' loop //11 instructions vs 7 in the innermost loop [checked on Win32] //moveAll(retro(range[lower .. sortedLen]), // retro(range[lower+1 .. sortedLen+1])); for (upper=sortedLen; upper > lower; upper--) range[upper] = range.moveAt(upper - 1); range[lower] = move(item); } } // Merge two runs in stack (at, at + 1) void mergeAt()(R range, Slice[] stack, immutable size_t at, ref size_t minGallop, ref T[] temp) in { assert(stack.length >= 2); assert(stack.length - at == 2 || stack.length - at == 3); } body { immutable base = stack[at].base; immutable mid = stack[at].length; immutable len = stack[at + 1].length + mid; // Pop run from stack stack[at] = Slice(base, len); if (stack.length - at == 3) stack[$ - 2] = stack[$ - 1]; // Merge runs (at, at + 1) return merge(range[base .. base + len], mid, minGallop, temp); } // Merge two runs in a range. Mid is the starting index of the second run. // minGallop and temp are references; The calling function must receive the updated values. void merge()(R range, size_t mid, ref size_t minGallop, ref T[] temp) in { if (!__ctfe) { assert(isSorted!pred(range[0 .. mid])); assert(isSorted!pred(range[mid .. range.length])); } } body { assert(mid < range.length); // Reduce range of elements immutable firstElement = gallopForwardUpper(range[0 .. mid], range[mid]); immutable lastElement = gallopReverseLower(range[mid .. range.length], range[mid - 1]) + mid; range = range[firstElement .. lastElement]; mid -= firstElement; if (mid == 0 || mid == range.length) return; // Call function which will copy smaller run into temporary memory if (mid <= range.length / 2) { temp = ensureCapacity(mid, temp); minGallop = mergeLo(range, mid, minGallop, temp); } else { temp = ensureCapacity(range.length - mid, temp); minGallop = mergeHi(range, mid, minGallop, temp); } } // Enlarge size of temporary memory if needed T[] ensureCapacity()(size_t minCapacity, T[] temp) out(ret) { assert(ret.length >= minCapacity); } body { if (temp.length < minCapacity) { size_t newSize = 1<<(bsr(minCapacity)+1); //Test for overflow if (newSize < minCapacity) newSize = minCapacity; if (__ctfe) temp.length = newSize; else temp = () @trusted { return uninitializedArray!(T[])(newSize); }(); } return temp; } // Merge front to back. Returns new value of minGallop. // temp must be large enough to store range[0 .. mid] size_t mergeLo()(R range, immutable size_t mid, size_t minGallop, T[] temp) out { if (!__ctfe) assert(isSorted!pred(range)); } body { import std.algorithm.mutation : copy; assert(mid <= range.length); assert(temp.length >= mid); // Copy run into temporary memory temp = temp[0 .. mid]; copy(range[0 .. mid], temp); // Move first element into place range[0] = range[mid]; size_t i = 1, lef = 0, rig = mid + 1; size_t count_lef, count_rig; immutable lef_end = temp.length - 1; if (lef < lef_end && rig < range.length) outer: while (true) { count_lef = 0; count_rig = 0; // Linear merge while ((count_lef | count_rig) < minGallop) { if (lessEqual(temp[lef], range[rig])) { range[i++] = temp[lef++]; if (lef >= lef_end) break outer; ++count_lef; count_rig = 0; } else { range[i++] = range[rig++]; if (rig >= range.length) break outer; count_lef = 0; ++count_rig; } } // Gallop merge do { count_lef = gallopForwardUpper(temp[lef .. $], range[rig]); foreach (j; 0 .. count_lef) range[i++] = temp[lef++]; if (lef >= temp.length) break outer; count_rig = gallopForwardLower(range[rig .. range.length], temp[lef]); foreach (j; 0 .. count_rig) range[i++] = range[rig++]; if (rig >= range.length) while (true) { range[i++] = temp[lef++]; if (lef >= temp.length) break outer; } if (minGallop > 0) --minGallop; } while (count_lef >= minimalGallop || count_rig >= minimalGallop); minGallop += 2; } // Move remaining elements from right while (rig < range.length) range[i++] = range[rig++]; // Move remaining elements from left while (lef < temp.length) range[i++] = temp[lef++]; return minGallop > 0 ? minGallop : 1; } // Merge back to front. Returns new value of minGallop. // temp must be large enough to store range[mid .. range.length] size_t mergeHi()(R range, immutable size_t mid, size_t minGallop, T[] temp) out { if (!__ctfe) assert(isSorted!pred(range)); } body { import std.algorithm.mutation : copy; assert(mid <= range.length); assert(temp.length >= range.length - mid); // Copy run into temporary memory temp = temp[0 .. range.length - mid]; copy(range[mid .. range.length], temp); // Move first element into place range[range.length - 1] = range[mid - 1]; size_t i = range.length - 2, lef = mid - 2, rig = temp.length - 1; size_t count_lef, count_rig; outer: while (true) { count_lef = 0; count_rig = 0; // Linear merge while ((count_lef | count_rig) < minGallop) { if (greaterEqual(temp[rig], range[lef])) { range[i--] = temp[rig]; if (rig == 1) { // Move remaining elements from left while (true) { range[i--] = range[lef]; if (lef == 0) break; --lef; } // Move last element into place range[i] = temp[0]; break outer; } --rig; count_lef = 0; ++count_rig; } else { range[i--] = range[lef]; if (lef == 0) while (true) { range[i--] = temp[rig]; if (rig == 0) break outer; --rig; } --lef; ++count_lef; count_rig = 0; } } // Gallop merge do { count_rig = rig - gallopReverseLower(temp[0 .. rig], range[lef]); foreach (j; 0 .. count_rig) { range[i--] = temp[rig]; if (rig == 0) break outer; --rig; } count_lef = lef - gallopReverseUpper(range[0 .. lef], temp[rig]); foreach (j; 0 .. count_lef) { range[i--] = range[lef]; if (lef == 0) while (true) { range[i--] = temp[rig]; if (rig == 0) break outer; --rig; } --lef; } if (minGallop > 0) --minGallop; } while (count_lef >= minimalGallop || count_rig >= minimalGallop); minGallop += 2; } return minGallop > 0 ? minGallop : 1; } // false = forward / lower, true = reverse / upper template gallopSearch(bool forwardReverse, bool lowerUpper) { // Gallop search on range according to attributes forwardReverse and lowerUpper size_t gallopSearch(R)(R range, T value) out(ret) { assert(ret <= range.length); } body { size_t lower = 0, center = 1, upper = range.length; alias gap = center; static if (forwardReverse) { static if (!lowerUpper) alias comp = lessEqual; // reverse lower static if (lowerUpper) alias comp = less; // reverse upper // Gallop Search Reverse while (gap <= upper) { if (comp(value, range[upper - gap])) { upper -= gap; gap *= 2; } else { lower = upper - gap; break; } } // Binary Search Reverse while (upper != lower) { center = lower + (upper - lower) / 2; if (comp(value, range[center])) upper = center; else lower = center + 1; } } else { static if (!lowerUpper) alias comp = greater; // forward lower static if (lowerUpper) alias comp = greaterEqual; // forward upper // Gallop Search Forward while (lower + gap < upper) { if (comp(value, range[lower + gap])) { lower += gap; gap *= 2; } else { upper = lower + gap; break; } } // Binary Search Forward while (lower != upper) { center = lower + (upper - lower) / 2; if (comp(value, range[center])) lower = center + 1; else upper = center; } } return lower; } } alias gallopForwardLower = gallopSearch!(false, false); alias gallopForwardUpper = gallopSearch!(false, true); alias gallopReverseLower = gallopSearch!( true, false); alias gallopReverseUpper = gallopSearch!( true, true); } @safe unittest { import std.random : Random, uniform, randomShuffle; // Element type with two fields static struct E { size_t value, index; } // Generates data especially for testing sorting with Timsort static E[] genSampleData(uint seed) @safe { import std.algorithm.mutation : swap, swapRanges; auto rnd = Random(seed); E[] arr; arr.length = 64 * 64; // We want duplicate values for testing stability foreach (i, ref v; arr) v.value = i / 64; // Swap ranges at random middle point (test large merge operation) immutable mid = uniform(arr.length / 4, arr.length / 4 * 3, rnd); swapRanges(arr[0 .. mid], arr[mid .. $]); // Shuffle last 1/8 of the array (test insertion sort and linear merge) randomShuffle(arr[$ / 8 * 7 .. $], rnd); // Swap few random elements (test galloping mode) foreach (i; 0 .. arr.length / 64) { immutable a = uniform(0, arr.length, rnd), b = uniform(0, arr.length, rnd); swap(arr[a], arr[b]); } // Now that our test array is prepped, store original index value // This will allow us to confirm the array was sorted stably foreach (i, ref v; arr) v.index = i; return arr; } // Tests the Timsort function for correctness and stability static bool testSort(uint seed) { auto arr = genSampleData(seed); // Now sort the array! static bool comp(E a, E b) { return a.value < b.value; } sort!(comp, SwapStrategy.stable)(arr); // Test that the array was sorted correctly assert(isSorted!comp(arr)); // Test that the array was sorted stably foreach (i; 0 .. arr.length - 1) { if (arr[i].value == arr[i + 1].value) assert(arr[i].index < arr[i + 1].index); } return true; } enum seed = 310614065; testSort(seed); enum result = testSort(seed); } @safe unittest {//bugzilla 4584 assert(isSorted!"a < b"(sort!("a < b", SwapStrategy.stable)( [83, 42, 85, 86, 87, 22, 89, 30, 91, 46, 93, 94, 95, 6, 97, 14, 33, 10, 101, 102, 103, 26, 105, 106, 107, 6] ))); } @safe unittest { //test stable sort + zip import std.range; auto x = [10, 50, 60, 60, 20]; dchar[] y = "abcde"d.dup; sort!("a[0] < b[0]", SwapStrategy.stable)(zip(x, y)); assert(x == [10, 20, 50, 60, 60]); assert(y == "aebcd"d); } @safe unittest { // Issue 14223 import std.range, std.array; auto arr = chain(iota(0, 384), iota(0, 256), iota(0, 80), iota(0, 64), iota(0, 96)).array; sort!("a < b", SwapStrategy.stable)(arr); } // schwartzSort /** Alternative sorting method that should be used when comparing keys involves an expensive computation. Instead of using `less(a, b)` for comparing elements, `schwartzSort` uses `less(transform(a), transform(b))`. The values of the `transform` function are precomputed in a temporary array, thus saving on repeatedly computing it. Conversely, if the cost of `transform` is small compared to the cost of allocating and filling the precomputed array, `sort` may be faster and therefore preferable. This approach to sorting is akin to the $(HTTP wikipedia.org/wiki/Schwartzian_transform, Schwartzian transform), also known as the decorate-sort-undecorate pattern in Python and Lisp. The complexity is the same as that of the corresponding `sort`, but `schwartzSort` evaluates `transform` only `r.length` times (less than half when compared to regular sorting). The usage can be best illustrated with an example. Example: ---- uint hashFun(string) { ... expensive computation ... } string[] array = ...; // Sort strings by hash, slow sort!((a, b) => hashFun(a) < hashFun(b))(array); // Sort strings by hash, fast (only computes arr.length hashes): schwartzSort!(hashFun, "a < b")(array); ---- The $(D schwartzSort) function might require less temporary data and be faster than the Perl idiom or the decorate-sort-undecorate idiom present in Python and Lisp. This is because sorting is done in-place and only minimal extra data (one array of transformed elements) is created. To check whether an array was sorted and benefit of the speedup of Schwartz sorting, a function $(D schwartzIsSorted) is not provided because the effect can be achieved by calling $(D isSorted!less(map!transform(r))). Params: transform = The transformation to apply. less = The predicate to sort by. ss = The swapping strategy to use. r = The range to sort. Returns: The initial range wrapped as a $(D SortedRange) with the predicate $(D (a, b) => binaryFun!less(transform(a), transform(b))). */ SortedRange!(R, ((a, b) => binaryFun!less(unaryFun!transform(a), unaryFun!transform(b)))) schwartzSort(alias transform, alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, R)(R r) if (isRandomAccessRange!R && hasLength!R) { import std.conv : emplace; import std.string : representation; import std.range : zip, SortedRange; alias T = typeof(unaryFun!transform(r.front)); static trustedMalloc(size_t len) @trusted { import core.stdc.stdlib : malloc; import core.checkedint : mulu; bool overflow; const nbytes = mulu(len, T.sizeof, overflow); if (overflow) assert(0); return (cast(T*) malloc(nbytes))[0 .. len]; } auto xform1 = trustedMalloc(r.length); size_t length; scope(exit) { static if (hasElaborateDestructor!T) { foreach (i; 0 .. length) collectException(destroy(xform1[i])); } static void trustedFree(T[] p) @trusted { import core.stdc.stdlib : free; free(p.ptr); } trustedFree(xform1); } for (; length != r.length; ++length) { emplace(&xform1[length], unaryFun!transform(r[length])); } // Make sure we use ubyte[] and ushort[], not char[] and wchar[] // for the intermediate array, lest zip gets confused. static if (isNarrowString!(typeof(xform1))) { auto xform = xform1.representation(); } else { alias xform = xform1; } zip(xform, r).sort!((a, b) => binaryFun!less(a[0], b[0]), ss)(); return typeof(return)(r); } /// @safe unittest { import std.algorithm.iteration : map; import std.numeric : entropy; auto lowEnt = [ 1.0, 0, 0 ], midEnt = [ 0.1, 0.1, 0.8 ], highEnt = [ 0.31, 0.29, 0.4 ]; auto arr = new double[][3]; arr[0] = midEnt; arr[1] = lowEnt; arr[2] = highEnt; schwartzSort!(entropy, "a > b")(arr); assert(arr[0] == highEnt); assert(arr[1] == midEnt); assert(arr[2] == lowEnt); assert(isSorted!("a > b")(map!(entropy)(arr))); } @safe unittest { import std.algorithm.iteration : map; import std.numeric : entropy; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); auto lowEnt = [ 1.0, 0, 0 ], midEnt = [ 0.1, 0.1, 0.8 ], highEnt = [ 0.31, 0.29, 0.4 ]; auto arr = new double[][3]; arr[0] = midEnt; arr[1] = lowEnt; arr[2] = highEnt; schwartzSort!(entropy, "a < b")(arr); assert(arr[0] == lowEnt); assert(arr[1] == midEnt); assert(arr[2] == highEnt); assert(isSorted!("a < b")(map!(entropy)(arr))); } @safe unittest { // issue 4909 import std.typecons : Tuple; Tuple!(char)[] chars; schwartzSort!"a[0]"(chars); } @safe unittest { // issue 5924 import std.typecons : Tuple; Tuple!(char)[] chars; schwartzSort!((Tuple!(char) c){ return c[0]; })(chars); } // partialSort /** Reorders the random-access range $(D r) such that the range $(D r[0 .. mid]) is the same as if the entire $(D r) were sorted, and leaves the range $(D r[mid .. r.length]) in no particular order. Performs $(BIGOH r.length * log(mid)) evaluations of $(D pred). The implementation simply calls $(D topN!(less, ss)(r, n)) and then $(D sort!(less, ss)(r[0 .. n])). Params: less = The predicate to sort by. ss = The swapping strategy to use. r = The random-access range to reorder. n = The length of the initial segment of `r` to sort. */ void partialSort(alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, Range)(Range r, size_t n) if (isRandomAccessRange!(Range) && hasLength!(Range) && hasSlicing!(Range)) { partialSort!(less, ss)(r[0 .. n], r[n .. $]); } /// @system unittest { int[] a = [ 9, 8, 7, 6, 5, 4, 3, 2, 1, 0 ]; partialSort(a, 5); assert(a[0 .. 5] == [ 0, 1, 2, 3, 4 ]); } /** Stores the smallest elements of the two ranges in the left-hand range in sorted order. Params: less = The predicate to sort by. ss = The swapping strategy to use. r1 = The first range. r2 = The second range. */ void partialSort(alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, Range1, Range2)(Range1 r1, Range2 r2) if (isRandomAccessRange!(Range1) && hasLength!Range1 && isInputRange!Range2 && is(ElementType!Range1 == ElementType!Range2) && hasLvalueElements!Range1 && hasLvalueElements!Range2) { topN!(less, ss)(r1, r2); sort!(less, ss)(r1); } /// @system unittest { int[] a = [5, 7, 2, 6, 7]; int[] b = [2, 1, 5, 6, 7, 3, 0]; partialSort(a, b); assert(a == [0, 1, 2, 2, 3]); } // topN /** Reorders the range $(D r) using $(D swap) such that $(D r[nth]) refers to the element that would fall there if the range were fully sorted. In addition, it also partitions $(D r) such that all elements $(D e1) from $(D r[0]) to $(D r[nth]) satisfy $(D !less(r[nth], e1)), and all elements $(D e2) from $(D r[nth]) to $(D r[r.length]) satisfy $(D !less(e2, r[nth])). Effectively, it finds the nth smallest (according to $(D less)) elements in $(D r). Performs an expected $(BIGOH r.length) (if unstable) or $(BIGOH r.length * log(r.length)) (if stable) evaluations of $(D less) and $(D swap). If $(D n >= r.length), the algorithm has no effect and returns `r[0 .. r.length]`. Params: less = The predicate to sort by. ss = The swapping strategy to use. r = The random-access range to reorder. nth = The index of the element that should be in sorted position after the function is done. See_Also: $(LREF topNIndex), $(HTTP sgi.com/tech/stl/nth_element.html, STL's nth_element) BUGS: Stable topN has not been implemented yet. */ auto topN(alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, Range)(Range r, size_t nth) if (isRandomAccessRange!(Range) && hasLength!Range && hasSlicing!Range) { static assert(ss == SwapStrategy.unstable, "Stable topN not yet implemented"); if (nth >= r.length) return r[0 .. r.length]; auto ret = r[0 .. nth]; if (false) { // Workaround for https://issues.dlang.org/show_bug.cgi?id=16528 // Safety checks: enumerate all potentially unsafe generic primitives // then use a @trusted implementation. auto b = binaryFun!less(r[0], r[r.length - 1]); import std.algorithm.mutation : swapAt; r.swapAt(size_t(0), size_t(0)); auto len = r.length; static assert(is(typeof(len) == size_t)); pivotPartition!less(r, 0); } bool useSampling = true; topNImpl!(binaryFun!less)(r, nth, useSampling); return ret; } private @trusted void topNImpl(alias less, R)(R r, size_t n, ref bool useSampling) { for (;;) { import std.algorithm.mutation : swapAt; assert(n < r.length); size_t pivot = void; // Decide strategy for partitioning if (n == 0) { pivot = 0; foreach (i; 1 .. r.length) if (less(r[i], r[pivot])) pivot = i; r.swapAt(n, pivot); return; } if (n + 1 == r.length) { pivot = 0; foreach (i; 1 .. r.length) if (less(r[pivot], r[i])) pivot = i; r.swapAt(n, pivot); return; } if (r.length <= 12) { pivot = pivotPartition!less(r, r.length / 2); } else if (n * 16 <= (r.length - 1) * 7) { pivot = topNPartitionOffMedian!(less, No.leanRight) (r, n, useSampling); // Quality check if (useSampling) { if (pivot < n) { if (pivot * 4 < r.length) { useSampling = false; } } else if ((r.length - pivot) * 8 < r.length * 3) { useSampling = false; } } } else if (n * 16 >= (r.length - 1) * 9) { pivot = topNPartitionOffMedian!(less, Yes.leanRight) (r, n, useSampling); // Quality check if (useSampling) { if (pivot < n) { if (pivot * 8 < r.length * 3) { useSampling = false; } } else if ((r.length - pivot) * 4 < r.length) { useSampling = false; } } } else { pivot = topNPartition!less(r, n, useSampling); // Quality check if (useSampling && (pivot * 9 < r.length * 2 || pivot * 9 > r.length * 7)) { // Failed - abort sampling going forward useSampling = false; } } assert(pivot != size_t.max); // See how the pivot fares if (pivot == n) { return; } if (pivot > n) { r = r[0 .. pivot]; } else { n -= pivot + 1; r = r[pivot + 1 .. r.length]; } } } /// @safe unittest { int[] v = [ 25, 7, 9, 2, 0, 5, 21 ]; topN!"a < b"(v, 100); assert(v == [ 25, 7, 9, 2, 0, 5, 21 ]); auto n = 4; topN!"a < b"(v, n); assert(v[n] == 9); } private size_t topNPartition(alias lp, R)(R r, size_t n, bool useSampling) { assert(r.length >= 9 && n < r.length); immutable ninth = r.length / 9; auto pivot = ninth / 2; // Position subrange r[lo .. hi] to have length equal to ninth and its upper // median r[lo .. hi][$ / 2] in exactly the same place as the upper median // of the entire range r[$ / 2]. This is to improve behavior for searching // the median in already sorted ranges. immutable lo = r.length / 2 - pivot, hi = lo + ninth; // We have either one straggler on the left, one on the right, or none. assert(lo - (r.length - hi) <= 1 || (r.length - hi) - lo <= 1); assert(lo >= ninth * 4); assert(r.length - hi >= ninth * 4); // Partition in groups of 3, and the mid tertile again in groups of 3 if (!useSampling) p3!lp(r, lo - ninth, hi + ninth); p3!lp(r, lo, hi); // Get the median of medians of medians // Map the full interval of n to the full interval of the ninth pivot = (n * (ninth - 1)) / (r.length - 1); topNImpl!lp(r[lo .. hi], pivot, useSampling); return expandPartition!lp(r, lo, pivot + lo, hi); } private void p3(alias less, Range)(Range r, size_t lo, immutable size_t hi) { assert(lo <= hi && hi < r.length); immutable ln = hi - lo; for (; lo < hi; ++lo) { assert(lo >= ln); assert(lo + ln < r.length); medianOf!less(r, lo - ln, lo, lo + ln); } } private void p4(alias less, Flag!"leanRight" f, Range) (Range r, size_t lo, immutable size_t hi) { assert(lo <= hi && hi < r.length); immutable ln = hi - lo, _2ln = ln * 2; for (; lo < hi; ++lo) { assert(lo >= ln); assert(lo + ln < r.length); static if (f == Yes.leanRight) medianOf!(less, f)(r, lo - _2ln, lo - ln, lo, lo + ln); else medianOf!(less, f)(r, lo - ln, lo, lo + ln, lo + _2ln); } } private size_t topNPartitionOffMedian(alias lp, Flag!"leanRight" f, R) (R r, size_t n, bool useSampling) { assert(r.length >= 12); assert(n < r.length); immutable _4 = r.length / 4; static if (f == Yes.leanRight) immutable leftLimit = 2 * _4; else immutable leftLimit = _4; // Partition in groups of 4, and the left quartile again in groups of 3 if (!useSampling) { p4!(lp, f)(r, leftLimit, leftLimit + _4); } immutable _12 = _4 / 3; immutable lo = leftLimit + _12, hi = lo + _12; p3!lp(r, lo, hi); // Get the median of medians of medians // Map the full interval of n to the full interval of the ninth immutable pivot = (n * (_12 - 1)) / (r.length - 1); topNImpl!lp(r[lo .. hi], pivot, useSampling); return expandPartition!lp(r, lo, pivot + lo, hi); } /* Params: less = predicate r = range to partition pivot = pivot to partition around lo = value such that r[lo .. pivot] already less than r[pivot] hi = value such that r[pivot .. hi] already greater than r[pivot] Returns: new position of pivot */ private size_t expandPartition(alias lp, R)(R r, size_t lo, size_t pivot, size_t hi) in { import std.algorithm.searching : all; assert(lo <= pivot); assert(pivot < hi); assert(hi <= r.length); assert(r[lo .. pivot + 1].all!(x => !lp(r[pivot], x))); assert(r[pivot + 1 .. hi].all!(x => !lp(x, r[pivot]))); } out { import std.algorithm.searching : all; assert(r[0 .. pivot + 1].all!(x => !lp(r[pivot], x))); assert(r[pivot + 1 .. r.length].all!(x => !lp(x, r[pivot]))); } body { import std.algorithm.mutation : swapAt; import std.algorithm.searching : all; // We work with closed intervals! --hi; size_t left = 0, rite = r.length - 1; loop: for (;; ++left, --rite) { for (;; ++left) { if (left == lo) break loop; if (!lp(r[left], r[pivot])) break; } for (;; --rite) { if (rite == hi) break loop; if (!lp(r[pivot], r[rite])) break; } r.swapAt(left, rite); } assert(r[lo .. pivot + 1].all!(x => !lp(r[pivot], x))); assert(r[pivot + 1 .. hi + 1].all!(x => !lp(x, r[pivot]))); assert(r[0 .. left].all!(x => !lp(r[pivot], x))); assert(r[rite + 1 .. r.length].all!(x => !lp(x, r[pivot]))); immutable oldPivot = pivot; if (left < lo) { // First loop: spend r[lo .. pivot] for (; lo < pivot; ++left) { if (left == lo) goto done; if (!lp(r[oldPivot], r[left])) continue; --pivot; assert(!lp(r[oldPivot], r[pivot])); r.swapAt(left, pivot); } // Second loop: make left and pivot meet for (;; ++left) { if (left == pivot) goto done; if (!lp(r[oldPivot], r[left])) continue; for (;;) { if (left == pivot) goto done; --pivot; if (lp(r[pivot], r[oldPivot])) { r.swapAt(left, pivot); break; } } } } // First loop: spend r[lo .. pivot] for (; hi != pivot; --rite) { if (rite == hi) goto done; if (!lp(r[rite], r[oldPivot])) continue; ++pivot; assert(!lp(r[pivot], r[oldPivot])); r.swapAt(rite, pivot); } // Second loop: make left and pivot meet outer: for (; rite > pivot; --rite) { if (!lp(r[rite], r[oldPivot])) continue; while (rite > pivot) { ++pivot; if (lp(r[oldPivot], r[pivot])) { r.swapAt(rite, pivot); break; } } } done: r.swapAt(oldPivot, pivot); return pivot; } @safe unittest { auto a = [ 10, 5, 3, 4, 8, 11, 13, 3, 9, 4, 10 ]; assert(expandPartition!((a, b) => a < b)(a, 4, 5, 6) == 9); a = randomArray; if (a.length == 0) return; expandPartition!((a, b) => a < b)(a, a.length / 2, a.length / 2, a.length / 2 + 1); } version(unittest) private T[] randomArray(Flag!"exactSize" flag = No.exactSize, T = int)( size_t maxSize = 1000, T minValue = 0, T maxValue = 255) { import std.random : unpredictableSeed, Random, uniform; import std.algorithm.iteration : map; auto size = flag == Yes.exactSize ? maxSize : uniform(1, maxSize); return iota(0, size).map!(_ => uniform(minValue, maxValue)).array; } @safe unittest { import std.algorithm.comparison : max, min; import std.algorithm.iteration : reduce; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); //scope(failure) writeln(stderr, "Failure testing algorithm"); //auto v = [ 25, 7, 9, 2, 0, 5, 21 ]; int[] v = [ 7, 6, 5, 4, 3, 2, 1, 0 ]; ptrdiff_t n = 3; topN!("a < b")(v, n); assert(reduce!max(v[0 .. n]) <= v[n]); assert(reduce!min(v[n + 1 .. $]) >= v[n]); // v = [3, 4, 5, 6, 7, 2, 3, 4, 5, 6, 1, 2, 3, 4, 5]; n = 3; topN(v, n); assert(reduce!max(v[0 .. n]) <= v[n]); assert(reduce!min(v[n + 1 .. $]) >= v[n]); // v = [3, 4, 5, 6, 7, 2, 3, 4, 5, 6, 1, 2, 3, 4, 5]; n = 1; topN(v, n); assert(reduce!max(v[0 .. n]) <= v[n]); assert(reduce!min(v[n + 1 .. $]) >= v[n]); // v = [3, 4, 5, 6, 7, 2, 3, 4, 5, 6, 1, 2, 3, 4, 5]; n = v.length - 1; topN(v, n); assert(v[n] == 7); // v = [3, 4, 5, 6, 7, 2, 3, 4, 5, 6, 1, 2, 3, 4, 5]; n = 0; topN(v, n); assert(v[n] == 1); double[][] v1 = [[-10, -5], [-10, -3], [-10, -5], [-10, -4], [-10, -5], [-9, -5], [-9, -3], [-9, -5],]; // double[][] v1 = [ [-10, -5], [-10, -4], [-9, -5], [-9, -5], // [-10, -5], [-10, -3], [-10, -5], [-9, -3],]; double[]*[] idx = [ &v1[0], &v1[1], &v1[2], &v1[3], &v1[4], &v1[5], &v1[6], &v1[7], ]; auto mid = v1.length / 2; topN!((a, b){ return (*a)[1] < (*b)[1]; })(idx, mid); foreach (e; idx[0 .. mid]) assert((*e)[1] <= (*idx[mid])[1]); foreach (e; idx[mid .. $]) assert((*e)[1] >= (*idx[mid])[1]); } @safe unittest { import std.algorithm.comparison : max, min; import std.algorithm.iteration : reduce; import std.random : uniform; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); int[] a = new int[uniform(1, 10000)]; foreach (ref e; a) e = uniform(-1000, 1000); auto k = uniform(0, a.length); topN(a, k); if (k > 0) { auto left = reduce!max(a[0 .. k]); assert(left <= a[k]); } if (k + 1 < a.length) { auto right = reduce!min(a[k + 1 .. $]); assert(right >= a[k]); } } // bug 12987 @safe unittest { int[] a = [ 25, 7, 9, 2, 0, 5, 21 ]; auto n = 4; auto t = topN(a, n); sort(t); assert(t == [0, 2, 5, 7]); } /** Stores the smallest elements of the two ranges in the left-hand range. Params: less = The predicate to sort by. ss = The swapping strategy to use. r1 = The first range. r2 = The second range. */ auto topN(alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, Range1, Range2)(Range1 r1, Range2 r2) if (isRandomAccessRange!(Range1) && hasLength!Range1 && isInputRange!Range2 && is(ElementType!Range1 == ElementType!Range2) && hasLvalueElements!Range1 && hasLvalueElements!Range2) { import std.container : BinaryHeap; static assert(ss == SwapStrategy.unstable, "Stable topN not yet implemented"); auto heap = BinaryHeap!(Range1, less)(r1); foreach (ref e; r2) { heap.conditionalSwap(e); } return r1; } /// @system unittest { int[] a = [ 5, 7, 2, 6, 7 ]; int[] b = [ 2, 1, 5, 6, 7, 3, 0 ]; topN(a, b); sort(a); assert(a == [0, 1, 2, 2, 3]); } // bug 15421 @system unittest { import std.algorithm.comparison : equal; import std.internal.test.dummyrange; import std.meta : AliasSeq; alias RandomRanges = AliasSeq!( DummyRange!(ReturnBy.Reference, Length.Yes, RangeType.Random) ); alias ReferenceRanges = AliasSeq!( DummyRange!(ReturnBy.Reference, Length.Yes, RangeType.Forward), DummyRange!(ReturnBy.Reference, Length.Yes, RangeType.Bidirectional), DummyRange!(ReturnBy.Reference, Length.Yes, RangeType.Random), DummyRange!(ReturnBy.Reference, Length.No, RangeType.Forward), DummyRange!(ReturnBy.Reference, Length.No, RangeType.Bidirectional)); foreach (T1; RandomRanges) { foreach (T2; ReferenceRanges) { import std.array; T1 A; T2 B; A.reinit(); B.reinit(); topN(A, B); // BUG(?): sort doesn't accept DummyRanges (needs Slicing and Length) auto a = array(A); auto b = array(B); sort(a); sort(b); assert(equal(a, [ 1, 1, 2, 2, 3, 3, 4, 4, 5, 5 ])); assert(equal(b, [ 6, 6, 7, 7, 8, 8, 9, 9, 10, 10 ])); } } } // bug 15421 @system unittest { auto a = [ 9, 8, 0, 3, 5, 25, 43, 4, 2, 0, 7 ]; auto b = [ 9, 8, 0, 3, 5, 25, 43, 4, 2, 0, 7 ]; topN(a, 4); topN(b[0 .. 4], b[4 .. $]); sort(a[0 .. 4]); sort(a[4 .. $]); sort(b[0 .. 4]); sort(b[4 .. $]); assert(a[0 .. 4] == b[0 .. 4]); assert(a[4 .. $] == b[4 .. $]); assert(a == b); } // bug 12987 @system unittest { int[] a = [ 5, 7, 2, 6, 7 ]; int[] b = [ 2, 1, 5, 6, 7, 3, 0 ]; auto t = topN(a, b); sort(t); assert(t == [ 0, 1, 2, 2, 3 ]); } // bug 15420 @system unittest { int[] a = [ 5, 7, 2, 6, 7 ]; int[] b = [ 2, 1, 5, 6, 7, 3, 0 ]; topN!"a > b"(a, b); sort!"a > b"(a); assert(a == [ 7, 7, 7, 6, 6 ]); } /** Copies the top $(D n) elements of the $(REF_ALTTEXT input range, isInputRange, std,range,primitives) $(D source) into the random-access range $(D target), where $(D n = target.length). Elements of $(D source) are not touched. If $(D sorted) is $(D true), the target is sorted. Otherwise, the target respects the $(HTTP en.wikipedia.org/wiki/Binary_heap, heap property). Params: less = The predicate to sort by. source = The source range. target = The target range. sorted = Whether to sort the elements copied into `target`. Returns: The slice of `target` containing the copied elements. */ TRange topNCopy(alias less = "a < b", SRange, TRange) (SRange source, TRange target, SortOutput sorted = No.sortOutput) if (isInputRange!(SRange) && isRandomAccessRange!(TRange) && hasLength!(TRange) && hasSlicing!(TRange)) { import std.container : BinaryHeap; if (target.empty) return target; auto heap = BinaryHeap!(TRange, less)(target, 0); foreach (e; source) heap.conditionalInsert(e); auto result = target[0 .. heap.length]; if (sorted == Yes.sortOutput) { while (!heap.empty) heap.removeFront(); } return result; } /// @system unittest { import std.typecons : Yes; int[] a = [ 10, 16, 2, 3, 1, 5, 0 ]; int[] b = new int[3]; topNCopy(a, b, Yes.sortOutput); assert(b == [ 0, 1, 2 ]); } @system unittest { import std.random : Random, unpredictableSeed, uniform, randomShuffle; import std.typecons : Yes; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); auto r = Random(unpredictableSeed); ptrdiff_t[] a = new ptrdiff_t[uniform(1, 1000, r)]; foreach (i, ref e; a) e = i; randomShuffle(a, r); auto n = uniform(0, a.length, r); ptrdiff_t[] b = new ptrdiff_t[n]; topNCopy!(binaryFun!("a < b"))(a, b, Yes.sortOutput); assert(isSorted!(binaryFun!("a < b"))(b)); } /** Given a range of elements, constructs an index of its top $(I n) elements (i.e., the first $(I n) elements if the range were sorted). Similar to $(LREF topN), except that the range is not modified. Params: less = A binary predicate that defines the ordering of range elements. Defaults to $(D a < b). ss = $(RED (Not implemented yet.)) Specify the swapping strategy. r = A $(REF_ALTTEXT random-access range, isRandomAccessRange, std,range,primitives) of elements to make an index for. index = A $(REF_ALTTEXT random-access range, isRandomAccessRange, std,range,primitives) with assignable elements to build the index in. The length of this range determines how many top elements to index in $(D r). This index range can either have integral elements, in which case the constructed index will consist of zero-based numerical indices into $(D r); or it can have pointers to the element type of $(D r), in which case the constructed index will be pointers to the top elements in $(D r). sorted = Determines whether to sort the index by the elements they refer to. See_also: $(LREF topN), $(LREF topNCopy). BUGS: The swapping strategy parameter is not implemented yet; currently it is ignored. */ void topNIndex(alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, Range, RangeIndex) (Range r, RangeIndex index, SortOutput sorted = No.sortOutput) if (isRandomAccessRange!Range && isRandomAccessRange!RangeIndex && hasAssignableElements!RangeIndex && isIntegral!(ElementType!(RangeIndex))) { static assert(ss == SwapStrategy.unstable, "Stable swap strategy not implemented yet."); import std.container : BinaryHeap; import std.exception : enforce; if (index.empty) return; enforce(ElementType!(RangeIndex).max >= index.length, "Index type too small"); bool indirectLess(ElementType!(RangeIndex) a, ElementType!(RangeIndex) b) { return binaryFun!(less)(r[a], r[b]); } auto heap = BinaryHeap!(RangeIndex, indirectLess)(index, 0); foreach (i; 0 .. r.length) { heap.conditionalInsert(cast(ElementType!RangeIndex) i); } if (sorted == Yes.sortOutput) { while (!heap.empty) heap.removeFront(); } } /// ditto void topNIndex(alias less = "a < b", SwapStrategy ss = SwapStrategy.unstable, Range, RangeIndex) (Range r, RangeIndex index, SortOutput sorted = No.sortOutput) if (isRandomAccessRange!Range && isRandomAccessRange!RangeIndex && hasAssignableElements!RangeIndex && is(ElementType!(RangeIndex) == ElementType!(Range)*)) { static assert(ss == SwapStrategy.unstable, "Stable swap strategy not implemented yet."); import std.container : BinaryHeap; if (index.empty) return; static bool indirectLess(const ElementType!(RangeIndex) a, const ElementType!(RangeIndex) b) { return binaryFun!less(*a, *b); } auto heap = BinaryHeap!(RangeIndex, indirectLess)(index, 0); foreach (i; 0 .. r.length) { heap.conditionalInsert(&r[i]); } if (sorted == Yes.sortOutput) { while (!heap.empty) heap.removeFront(); } } /// @system unittest { import std.typecons : Yes; // Construct index to top 3 elements using numerical indices: int[] a = [ 10, 2, 7, 5, 8, 1 ]; int[] index = new int[3]; topNIndex(a, index, Yes.sortOutput); assert(index == [5, 1, 3]); // because a[5]==1, a[1]==2, a[3]==5 // Construct index to top 3 elements using pointer indices: int*[] ptrIndex = new int*[3]; topNIndex(a, ptrIndex, Yes.sortOutput); assert(ptrIndex == [ &a[5], &a[1], &a[3] ]); } @system unittest { import std.conv : text; debug(std_algorithm) scope(success) writeln("unittest @", __FILE__, ":", __LINE__, " done."); { int[] a = [ 10, 8, 9, 2, 4, 6, 7, 1, 3, 5 ]; int*[] b = new int*[5]; topNIndex!("a > b")(a, b, Yes.sortOutput); //foreach (e; b) writeln(*e); assert(b == [ &a[0], &a[2], &a[1], &a[6], &a[5]]); } { int[] a = [ 10, 8, 9, 2, 4, 6, 7, 1, 3, 5 ]; auto b = new ubyte[5]; topNIndex!("a > b")(a, b, Yes.sortOutput); //foreach (e; b) writeln(e, ":", a[e]); assert(b == [ cast(ubyte) 0, cast(ubyte) 2, cast(ubyte) 1, cast(ubyte) 6, cast(ubyte) 5], text(b)); } } // medianOf /* Private for the time being. Computes the median of 2 to 5 arbitrary indexes in random-access range `r` using hand-written specialized algorithms. The indexes must be distinct (if not, behavior is implementation-defined). The function also partitions the elements involved around the median, e.g. $(D medianOf(r, a, b, c)) not only fills `r[b]` with the median of `r[a]`, `r[b]`, and `r[c]`, but also puts the minimum in `r[a]` and the maximum in `r[c]`. Params: less = The comparison predicate used, modeled as a $(LUCKY strict weak ordering) (irreflexive, antisymmetric, transitive, and implying a transitive equivalence). flag = Used only for even values of `T.length`. If `No.leanRight`, the median "leans left", meaning $(D medianOf(r, a, b, c, d)) puts the lower median of the four in `r[b]`, the minimum in `r[a]`, and the two others in `r[c]` and `r[d]`. Conversely, $(D median!("a < b", Yes.leanRight)(r, a, b, c, d)) puts the upper median of the four in `r[c]`, the maximum in `r[d]`, and the two others in `r[a]` and `r[b]`. r = The range containing the indexes. i = Two to five indexes inside `r`. */ private void medianOf( alias less = "a < b", Flag!"leanRight" flag = No.leanRight, Range, Indexes...) (Range r, Indexes i) if (isRandomAccessRange!Range && hasLength!Range && Indexes.length >= 2 && Indexes.length <= 5 && allSatisfy!(isUnsigned, Indexes)) { assert(r.length >= Indexes.length); import std.functional : binaryFun; alias lt = binaryFun!less; enum k = Indexes.length; import std.algorithm.mutation : swapAt; alias a = i[0]; static assert(is(typeof(a) == size_t)); static if (k >= 2) { alias b = i[1]; static assert(is(typeof(b) == size_t)); assert(a != b); } static if (k >= 3) { alias c = i[2]; static assert(is(typeof(c) == size_t)); assert(a != c && b != c); } static if (k >= 4) { alias d = i[3]; static assert(is(typeof(d) == size_t)); assert(a != d && b != d && c != d); } static if (k >= 5) { alias e = i[4]; static assert(is(typeof(e) == size_t)); assert(a != e && b != e && c != e && d != e); } static if (k == 2) { if (lt(r[b], r[a])) r.swapAt(a, b); } else static if (k == 3) { if (lt(r[c], r[a])) // c < a { if (lt(r[a], r[b])) // c < a < b { r.swapAt(a, b); r.swapAt(a, c); } else // c < a, b <= a { r.swapAt(a, c); if (lt(r[b], r[a])) r.swapAt(a, b); } } else // a <= c { if (lt(r[b], r[a])) // b < a <= c { r.swapAt(a, b); } else // a <= c, a <= b { if (lt(r[c], r[b])) r.swapAt(b, c); } } assert(!lt(r[b], r[a])); assert(!lt(r[c], r[b])); } else static if (k == 4) { static if (flag == No.leanRight) { // Eliminate the rightmost from the competition if (lt(r[d], r[c])) r.swapAt(c, d); // c <= d if (lt(r[d], r[b])) r.swapAt(b, d); // b <= d medianOf!lt(r, a, b, c); } else { // Eliminate the leftmost from the competition if (lt(r[b], r[a])) r.swapAt(a, b); // a <= b if (lt(r[c], r[a])) r.swapAt(a, c); // a <= c medianOf!lt(r, b, c, d); } } else static if (k == 5) { // Credit: Teppo Niinimäki version(unittest) scope(success) { assert(!lt(r[c], r[a])); assert(!lt(r[c], r[b])); assert(!lt(r[d], r[c])); assert(!lt(r[e], r[c])); } if (lt(r[c], r[a])) r.swapAt(a, c); if (lt(r[d], r[b])) r.swapAt(b, d); if (lt(r[d], r[c])) { r.swapAt(c, d); r.swapAt(a, b); } if (lt(r[e], r[b])) r.swapAt(b, e); if (lt(r[e], r[c])) { r.swapAt(c, e); if (lt(r[c], r[a])) r.swapAt(a, c); } else { if (lt(r[c], r[b])) r.swapAt(b, c); } } } @safe unittest { // Verify medianOf for all permutations of [1, 2, 2, 3, 4]. int[5] data = [1, 2, 2, 3, 4]; do { int[5] a = data; medianOf(a[], size_t(0), size_t(1)); assert(a[0] <= a[1]); a[] = data[]; medianOf(a[], size_t(0), size_t(1), size_t(2)); assert(ordered(a[0], a[1], a[2])); a[] = data[]; medianOf(a[], size_t(0), size_t(1), size_t(2), size_t(3)); assert(a[0] <= a[1] && a[1] <= a[2] && a[1] <= a[3]); a[] = data[]; medianOf!("a < b", Yes.leanRight)(a[], size_t(0), size_t(1), size_t(2), size_t(3)); assert(a[0] <= a[2] && a[1] <= a[2] && a[2] <= a[3]); a[] = data[]; medianOf(a[], size_t(0), size_t(1), size_t(2), size_t(3), size_t(4)); assert(a[0] <= a[2] && a[1] <= a[2] && a[2] <= a[3] && a[2] <= a[4]); } while (nextPermutation(data[])); } // nextPermutation /** * Permutes $(D range) in-place to the next lexicographically greater * permutation. * * The predicate $(D less) defines the lexicographical ordering to be used on * the range. * * If the range is currently the lexicographically greatest permutation, it is * permuted back to the least permutation and false is returned. Otherwise, * true is returned. One can thus generate all permutations of a range by * sorting it according to $(D less), which produces the lexicographically * least permutation, and then calling nextPermutation until it returns false. * This is guaranteed to generate all distinct permutations of the range * exactly once. If there are $(I N) elements in the range and all of them are * unique, then $(I N)! permutations will be generated. Otherwise, if there are * some duplicated elements, fewer permutations will be produced. ---- // Enumerate all permutations int[] a = [1,2,3,4,5]; do { // use the current permutation and // proceed to the next permutation of the array. } while (nextPermutation(a)); ---- * Params: * less = The ordering to be used to determine lexicographical ordering of the * permutations. * range = The range to permute. * * Returns: false if the range was lexicographically the greatest, in which * case the range is reversed back to the lexicographically smallest * permutation; otherwise returns true. * See_Also: * $(REF permutations, std,algorithm,iteration). */ bool nextPermutation(alias less="a < b", BidirectionalRange) (BidirectionalRange range) if (isBidirectionalRange!BidirectionalRange && hasSwappableElements!BidirectionalRange) { import std.algorithm.mutation : reverse, swap; import std.algorithm.searching : find; import std.range : retro, takeExactly; // Ranges of 0 or 1 element have no distinct permutations. if (range.empty) return false; auto i = retro(range); auto last = i.save; // Find last occurring increasing pair of elements size_t n = 1; for (i.popFront(); !i.empty; i.popFront(), last.popFront(), n++) { if (binaryFun!less(i.front, last.front)) break; } if (i.empty) { // Entire range is decreasing: it's lexicographically the greatest. So // wrap it around. range.reverse(); return false; } // Find last element greater than i.front. auto j = find!((a) => binaryFun!less(i.front, a))( takeExactly(retro(range), n)); assert(!j.empty); // shouldn't happen since i.front < last.front swap(i.front, j.front); reverse(takeExactly(retro(range), n)); return true; } /// @safe unittest { // Step through all permutations of a sorted array in lexicographic order int[] a = [1,2,3]; assert(nextPermutation(a) == true); assert(a == [1,3,2]); assert(nextPermutation(a) == true); assert(a == [2,1,3]); assert(nextPermutation(a) == true); assert(a == [2,3,1]); assert(nextPermutation(a) == true); assert(a == [3,1,2]); assert(nextPermutation(a) == true); assert(a == [3,2,1]); assert(nextPermutation(a) == false); assert(a == [1,2,3]); } /// @safe unittest { // Step through permutations of an array containing duplicate elements: int[] a = [1,1,2]; assert(nextPermutation(a) == true); assert(a == [1,2,1]); assert(nextPermutation(a) == true); assert(a == [2,1,1]); assert(nextPermutation(a) == false); assert(a == [1,1,2]); } @safe unittest { // Boundary cases: arrays of 0 or 1 element. int[] a1 = []; assert(!nextPermutation(a1)); assert(a1 == []); int[] a2 = [1]; assert(!nextPermutation(a2)); assert(a2 == [1]); } @safe unittest { import std.algorithm.comparison : equal; auto a1 = [1, 2, 3, 4]; assert(nextPermutation(a1)); assert(equal(a1, [1, 2, 4, 3])); assert(nextPermutation(a1)); assert(equal(a1, [1, 3, 2, 4])); assert(nextPermutation(a1)); assert(equal(a1, [1, 3, 4, 2])); assert(nextPermutation(a1)); assert(equal(a1, [1, 4, 2, 3])); assert(nextPermutation(a1)); assert(equal(a1, [1, 4, 3, 2])); assert(nextPermutation(a1)); assert(equal(a1, [2, 1, 3, 4])); assert(nextPermutation(a1)); assert(equal(a1, [2, 1, 4, 3])); assert(nextPermutation(a1)); assert(equal(a1, [2, 3, 1, 4])); assert(nextPermutation(a1)); assert(equal(a1, [2, 3, 4, 1])); assert(nextPermutation(a1)); assert(equal(a1, [2, 4, 1, 3])); assert(nextPermutation(a1)); assert(equal(a1, [2, 4, 3, 1])); assert(nextPermutation(a1)); assert(equal(a1, [3, 1, 2, 4])); assert(nextPermutation(a1)); assert(equal(a1, [3, 1, 4, 2])); assert(nextPermutation(a1)); assert(equal(a1, [3, 2, 1, 4])); assert(nextPermutation(a1)); assert(equal(a1, [3, 2, 4, 1])); assert(nextPermutation(a1)); assert(equal(a1, [3, 4, 1, 2])); assert(nextPermutation(a1)); assert(equal(a1, [3, 4, 2, 1])); assert(nextPermutation(a1)); assert(equal(a1, [4, 1, 2, 3])); assert(nextPermutation(a1)); assert(equal(a1, [4, 1, 3, 2])); assert(nextPermutation(a1)); assert(equal(a1, [4, 2, 1, 3])); assert(nextPermutation(a1)); assert(equal(a1, [4, 2, 3, 1])); assert(nextPermutation(a1)); assert(equal(a1, [4, 3, 1, 2])); assert(nextPermutation(a1)); assert(equal(a1, [4, 3, 2, 1])); assert(!nextPermutation(a1)); assert(equal(a1, [1, 2, 3, 4])); } @safe unittest { // Test with non-default sorting order int[] a = [3,2,1]; assert(nextPermutation!"a > b"(a) == true); assert(a == [3,1,2]); assert(nextPermutation!"a > b"(a) == true); assert(a == [2,3,1]); assert(nextPermutation!"a > b"(a) == true); assert(a == [2,1,3]); assert(nextPermutation!"a > b"(a) == true); assert(a == [1,3,2]); assert(nextPermutation!"a > b"(a) == true); assert(a == [1,2,3]); assert(nextPermutation!"a > b"(a) == false); assert(a == [3,2,1]); } // Issue 13594 @safe unittest { int[3] a = [1,2,3]; assert(nextPermutation(a[])); assert(a == [1,3,2]); } // nextEvenPermutation /** * Permutes $(D range) in-place to the next lexicographically greater $(I even) * permutation. * * The predicate $(D less) defines the lexicographical ordering to be used on * the range. * * An even permutation is one which is produced by swapping an even number of * pairs of elements in the original range. The set of $(I even) permutations * is distinct from the set of $(I all) permutations only when there are no * duplicate elements in the range. If the range has $(I N) unique elements, * then there are exactly $(I N)!/2 even permutations. * * If the range is already the lexicographically greatest even permutation, it * is permuted back to the least even permutation and false is returned. * Otherwise, true is returned, and the range is modified in-place to be the * lexicographically next even permutation. * * One can thus generate the even permutations of a range with unique elements * by starting with the lexicographically smallest permutation, and repeatedly * calling nextEvenPermutation until it returns false. ---- // Enumerate even permutations int[] a = [1,2,3,4,5]; do { // use the current permutation and // proceed to the next even permutation of the array. } while (nextEvenPermutation(a)); ---- * One can also generate the $(I odd) permutations of a range by noting that * permutations obey the rule that even + even = even, and odd + even = odd. * Thus, by swapping the last two elements of a lexicographically least range, * it is turned into the first odd permutation. Then calling * nextEvenPermutation on this first odd permutation will generate the next * even permutation relative to this odd permutation, which is actually the * next odd permutation of the original range. Thus, by repeatedly calling * nextEvenPermutation until it returns false, one enumerates the odd * permutations of the original range. ---- // Enumerate odd permutations int[] a = [1,2,3,4,5]; swap(a[$-2], a[$-1]); // a is now the first odd permutation of [1,2,3,4,5] do { // use the current permutation and // proceed to the next odd permutation of the original array // (which is an even permutation of the first odd permutation). } while (nextEvenPermutation(a)); ---- * * Warning: Since even permutations are only distinct from all permutations * when the range elements are unique, this function assumes that there are no * duplicate elements under the specified ordering. If this is not _true, some * permutations may fail to be generated. When the range has non-unique * elements, you should use $(MYREF nextPermutation) instead. * * Params: * less = The ordering to be used to determine lexicographical ordering of the * permutations. * range = The range to permute. * * Returns: false if the range was lexicographically the greatest, in which * case the range is reversed back to the lexicographically smallest * permutation; otherwise returns true. */ bool nextEvenPermutation(alias less="a < b", BidirectionalRange) (BidirectionalRange range) if (isBidirectionalRange!BidirectionalRange && hasSwappableElements!BidirectionalRange) { import std.algorithm.mutation : reverse, swap; import std.algorithm.searching : find; import std.range : retro, takeExactly; // Ranges of 0 or 1 element have no distinct permutations. if (range.empty) return false; bool oddParity = false; bool ret = true; do { auto i = retro(range); auto last = i.save; // Find last occurring increasing pair of elements size_t n = 1; for (i.popFront(); !i.empty; i.popFront(), last.popFront(), n++) { if (binaryFun!less(i.front, last.front)) break; } if (!i.empty) { // Find last element greater than i.front. auto j = find!((a) => binaryFun!less(i.front, a))( takeExactly(retro(range), n)); // shouldn't happen since i.front < last.front assert(!j.empty); swap(i.front, j.front); oddParity = !oddParity; } else { // Entire range is decreasing: it's lexicographically // the greatest. ret = false; } reverse(takeExactly(retro(range), n)); if ((n / 2) % 2 == 1) oddParity = !oddParity; } while (oddParity); return ret; } /// @safe unittest { // Step through even permutations of a sorted array in lexicographic order int[] a = [1,2,3]; assert(nextEvenPermutation(a) == true); assert(a == [2,3,1]); assert(nextEvenPermutation(a) == true); assert(a == [3,1,2]); assert(nextEvenPermutation(a) == false); assert(a == [1,2,3]); } @safe unittest { auto a3 = [ 1, 2, 3, 4 ]; int count = 1; while (nextEvenPermutation(a3)) count++; assert(count == 12); } @safe unittest { // Test with non-default sorting order auto a = [ 3, 2, 1 ]; assert(nextEvenPermutation!"a > b"(a) == true); assert(a == [ 2, 1, 3 ]); assert(nextEvenPermutation!"a > b"(a) == true); assert(a == [ 1, 3, 2 ]); assert(nextEvenPermutation!"a > b"(a) == false); assert(a == [ 3, 2, 1 ]); } @safe unittest { // Test various cases of rollover auto a = [ 3, 1, 2 ]; assert(nextEvenPermutation(a) == false); assert(a == [ 1, 2, 3 ]); auto b = [ 3, 2, 1 ]; assert(nextEvenPermutation(b) == false); assert(b == [ 1, 3, 2 ]); } @safe unittest { // Issue 13594 int[3] a = [1,2,3]; assert(nextEvenPermutation(a[])); assert(a == [2,3,1]); } /** Even permutations are useful for generating coordinates of certain geometric shapes. Here's a non-trivial example: */ @safe unittest { import std.math : sqrt; // Print the 60 vertices of a uniform truncated icosahedron (soccer ball) enum real Phi = (1.0 + sqrt(5.0)) / 2.0; // Golden ratio real[][] seeds = [ [0.0, 1.0, 3.0*Phi], [1.0, 2.0+Phi, 2.0*Phi], [Phi, 2.0, Phi^^3] ]; size_t n; foreach (seed; seeds) { // Loop over even permutations of each seed do { // Loop over all sign changes of each permutation size_t i; do { // Generate all possible sign changes for (i=0; i < seed.length; i++) { if (seed[i] != 0.0) { seed[i] = -seed[i]; if (seed[i] < 0.0) break; } } n++; } while (i < seed.length); } while (nextEvenPermutation(seed)); } assert(n == 60); }
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric, std.container, std.range; void get(Args...)(ref Args args) { import std.traits, std.meta, std.typecons; static if (Args.length == 1) { alias Arg = Args[0]; static if (isArray!Arg) { static if (isSomeChar!(ElementType!Arg)) { args[0] = readln.chomp.to!Arg; } else { args[0] = readln.split.to!Arg; } } else static if (isTuple!Arg) { auto input = readln.split; static foreach (i; 0..Fields!Arg.length) { args[0][i] = input[i].to!(Fields!Arg[i]); } } else { args[0] = readln.chomp.to!Arg; } } else { auto input = readln.split; assert(input.length == Args.length); static foreach (i; 0..Args.length) { args[i] = input[i].to!(Args[i]); } } } void get_lines(Args...)(size_t N, ref Args args) { import std.traits, std.range; static foreach (i; 0..Args.length) { static assert(isArray!(Args[i])); args[i].length = N; } foreach (i; 0..N) { static if (Args.length == 1) { get(args[0][i]); } else { auto input = readln.split; static foreach (j; 0..Args.length) { args[j][i] = input[j].to!(ElementType!(Args[j])); } } } } enum P = 998244353L; void main() { int N; get(N); char[] S; get(S); auto DP = new long[][][](11, 2 ^^ 10, N + 1); DP[0][0][0] = 1; foreach (i; 0..N) foreach (j; 0..2 ^^ 10) foreach (k; 0..11) { (DP[k][j][i + 1] += DP[k][j][i]) %= P; auto c = S[i] - 'A'; if (k == c + 1) { (DP[k][j][i + 1] += DP[k][j][i]) %= P; } else if (!(j & (1 << c))) { auto jj = k == 0 ? j : (j | (1 << (k - 1))); (DP[c + 1][jj][i + 1] += DP[k][j][i]) %= P; } } long r; foreach (j; 0..2 ^^ 10) foreach (k; 0..11) (r += DP[k][j][N]) %= P; writeln((r + P - 1) % P); }
D
import common; struct quadTree{ alias P2 = Point!2; // Member variables Node root; class Node{ bool isLeaf; P2[] pointList; Node topLeft, topRight, bottomLeft, bottomRight; AABB!2 boundBox; this(P2[] points, AABB!2 bounds){ this.boundBox = bounds; int threshold = 32; // This is the actual value I'm running with for the buckets // int threshold = 4; // This was my test value for my unittest blocks if(points.length < threshold){ // Leaf node this.isLeaf = true; this.pointList = points; }else{ // Internal Node this.isLeaf = false; // Generate the split values x = 0, y = 1 auto splitValues = (this.boundBox.max + this.boundBox.min)/2; // Partition on x to make two halves auto pointsRightHalf = points.partitionByDimension!0(splitValues[0]); auto pointsLeftHalf = points[0 .. $ - pointsRightHalf.length]; // Partition those halves on y to make four quadrants auto pointsTopRight = pointsRightHalf.partitionByDimension!1(splitValues[1]); auto pointsBottomRight = pointsRightHalf[0 .. $ - pointsTopRight.length]; auto pointsTopLeft = pointsLeftHalf.partitionByDimension!1(splitValues[1]); auto pointsBottomLeft = pointsLeftHalf[0 .. $ - pointsTopLeft.length]; // Build nodes this.topLeft = new Node(pointsTopLeft,boundingBox(pointsTopLeft)); this.topRight = new Node(pointsTopRight,boundingBox(pointsTopRight)); this.bottomLeft = new Node(pointsBottomLeft,boundingBox(pointsBottomLeft)); this.bottomRight = new Node(pointsBottomRight,boundingBox(pointsBottomRight)); } } } this(P2[] points){ this.root = new Node(points,boundingBox(points)); } P2[] rangeQuery(P2 point, float rad){ P2[] ret = new P2[0]; void recurseRange(Node n){ if(n.isLeaf){ // Leaf node foreach(p; n.pointList){ if(distance(point,p) < rad){ ret ~= p; } } }else{ // Internal node float xLim = clamp(point[0],n.boundBox.min[0],n.boundBox.max[0]); float yLim = clamp(point[1],n.boundBox.min[1],n.boundBox.max[1]); P2 nearestPoint = P2([xLim,yLim]); if(distance(point,nearestPoint) < rad){ // check if the bounding box is in range recurseRange(n.topLeft); recurseRange(n.topRight); recurseRange(n.bottomLeft); recurseRange(n.bottomRight); } } } recurseRange(this.root); return ret; } auto knnQuery(P2 point, int k){ auto ret = makePriorityQueue(point); // Recursive KNN Method void recursiveKNN(Node n){ if(n.isLeaf){ foreach(p; n.pointList){ if(ret.length < k){ ret.insert(p); }else if(ret.length == k && distance(point,p) < distance(point,ret.front)){ ret.popFront; ret.insert(p); } } }else{ recursiveKNN(n.topLeft); recursiveKNN(n.topRight); recursiveKNN(n.bottomLeft); recursiveKNN(n.bottomRight); } } recursiveKNN(this.root); return ret; } } unittest{ writeln("\n\nQuad Tree Tests\n"); auto points = [Point!2([-5,-5]), Point!2([-4,-3]), Point!2([-1,-4]), Point!2([-2,-1]), Point!2([-3,1]), Point!2([-2,2]), Point!2([-5,3]), Point!2([-3,4]), Point!2([-1,4]), Point!2([2,-1]), Point!2([4,-1]), Point!2([3,-3]), Point!2([4,-4]), Point!2([1,1]), Point!2([3,2]), Point!2([2,3]), Point!2([4,5])]; quadTree quadTest = quadTree(points); auto quadRange1 = quadTest.rangeQuery(Point!2([1,3]),2.5); writeln("For [1,3] in range 2.5 => ",quadRange1); auto quadRange2 = quadTest.rangeQuery(Point!2([1,-3]),4); writeln("For [1,-3] in range 4 => ",quadRange2); writeln("--------"); auto quadKNN1 = quadTest.knnQuery(Point!2([0,0]),5); writeln("For [0,0] => 5 Closest points = ",quadKNN1); auto quadKNN2 = quadTest.knnQuery(Point!2([2,-1]),9); writeln("For [2,-1] => 9 Closest points = ",quadKNN2); }
D
/Users/rick/home/0_Languages/2_Rust/Tutorials/guessing_game/target/debug/deps/rand_pcg-54abbb01acb79d73.rmeta: /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/lib.rs /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/pcg64.rs /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/pcg128.rs /Users/rick/home/0_Languages/2_Rust/Tutorials/guessing_game/target/debug/deps/librand_pcg-54abbb01acb79d73.rlib: /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/lib.rs /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/pcg64.rs /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/pcg128.rs /Users/rick/home/0_Languages/2_Rust/Tutorials/guessing_game/target/debug/deps/rand_pcg-54abbb01acb79d73.d: /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/lib.rs /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/pcg64.rs /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/pcg128.rs /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/lib.rs: /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/pcg64.rs: /Users/rick/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_pcg-0.1.2/src/pcg128.rs:
D
/* * Copyright (c) 2012-2018 The ANTLR Project. All rights reserved. * Use of this file is governed by the BSD 3-clause license that * can be found in the LICENSE.txt file in the project root. */ module antlr.v4.runtime.atn.LexerSkipAction; import antlr.v4.runtime.InterfaceLexer; import antlr.v4.runtime.atn.LexerAction; import antlr.v4.runtime.atn.LexerActionType; import antlr.v4.runtime.misc; /** * Implements the {@code skip} lexer action by calling {@link Lexer#skip}. * * <p>The {@code skip} command does not have any parameters, so this action is * implemented as a singleton instance exposed by {@link #INSTANCE}.</p> * * @author Sam Harwell * @since 4.2 */ class LexerSkipAction : LexerAction { /** * The single instance of LexerSkipAction. */ private static __gshared LexerSkipAction instance_; /** * @uml * {@inheritDoc} * @return This method returns {@link LexerActionType#SKIP}. * @safe * @nothrow */ public LexerActionType getActionType() @safe nothrow { return LexerActionType.SKIP; } /** * @uml * {@inheritDoc} * @return This method returns {@code false}. */ public bool isPositionDependent() { return false; } /** * @uml * {@inheritDoc} * * <p>This action is implemented by calling {@link Lexer#skip}.</p> */ public void execute(InterfaceLexer lexer) { lexer.skip(); } /** * @uml * @override */ public override size_t toHash() { size_t hash = MurmurHash.initialize(); hash = MurmurHash.update(hash, Utils.rank(getActionType)); return MurmurHash.finish(hash, 1); } /** * @uml * - @SuppressWarnings("EqualsWhichDoesntCheckParameterClass") */ public bool equals(Object obj) { return obj == this; } /** * @uml * @override */ public override string toString() { return "skip"; } /** * Creates the single instance of LexerSkipAction. */ private shared static this() { instance_ = new LexerSkipAction; } /** * Returns: A single instance of LexerSkipAction. */ public static LexerSkipAction instance() { return instance_; } }
D
/* 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 derelict.ode.types; private { import std.math; import core.vararg; import core.stdc.config; import core.stdc.time; import derelict.util.system; } // version.h enum dODE_VERSION = "0.15.2"; // odeconfig.h alias dint64 = long; alias duint64 = ulong; alias dint32 = int; alias duint32 = uint; alias dint16 = short; alias duint16 = ushort; alias dint8 = byte; alias duint8 = ubyte; alias dintptr = ptrdiff_t; alias duintptr = size_t; alias ddiffint = ptrdiff_t; alias dsizeint = size_t; version(DerelictODE_Single) { enum dDOUBLE = false; enum dSINGLE = true; } else { enum dDOUBLE = true; enum dSINGLE = false; } static if(dSINGLE) enum dInfinity = float.infinity; else enum dInfinity = double.infinity; // common.h alias M_PI = PI; alias M_PI_2 = PI_2; alias M_SQRT1_2 = SQRT1_2; static if(dSINGLE) alias dReal = float; else alias dReal = double; version (DerelictOde_TriMesh_16Bit_Indices) { version (DerelictOde_TriMesh_GIMPACT) alias dTriIndex = duint32; else alias dTriIndex = duint16; } else { alias dTriIndex = duint32; } int dPAD(int a) { return (a > 1) ? (((a - 1)|3)+1) : a; } alias dSpaceAxis = int; enum { dSA__MIN, dSA_X = dSA__MIN, dSA_Y, dSA_Z, dSA__MAX, } alias dMotionDynamics = int; enum { dMD__MIN, dMD_LINEAR = dMD__MIN, dMD_ANGULAR, dMD__MAX, } alias dDynamicsAxis = int; enum { dDA__MIN, dDA__L_MIN = dDA__MIN + dMD_LINEAR * dSA__MAX, dDA_LX = dDA__L_MIN + dSA_X, dDA_LY = dDA__L_MIN + dSA_Y, dDA_LZ = dDA__L_MIN + dSA_Z, dDA__L_MAX = dDA__L_MIN + dSA__MAX, dDA__A_MIN = dDA__MIN + dMD_ANGULAR * dSA__MAX, dDA_AX = dDA__A_MIN + dSA_X, dDA_AY = dDA__A_MIN + dSA_Y, dDA_AZ = dDA__A_MIN + dSA_Z, dDA__A_MAX = dDA__A_MIN + dSA__MAX, dDA__MAX = dDA__MIN + dMD__MAX * dSA__MAX, } alias dVec3Element = int; enum { dV3E__MIN, dV3E__AXES_MIN = dV3E__MIN, dV3E_X = dV3E__AXES_MIN + dSA_X, dV3E_Y = dV3E__AXES_MIN + dSA_Y, dV3E_Z = dV3E__AXES_MIN + dSA_Z, dV3E__AXES_MAX = dV3E__AXES_MIN + dSA__MAX, dV3E_PAD = dV3E__AXES_MAX, dV3E__MAX, dV3E__AXES_COUNT = dV3E__AXES_MAX - dV3E__AXES_MIN, } alias dVec4Element = int; enum { dV4E__MIN, dV4E_X = dV4E__MIN + dSA_X, dV4E_Y = dV4E__MIN + dSA_Y, dV4E_Z = dV4E__MIN + dSA_Z, dV4E_O = dV4E__MIN + dSA__MAX, dV4E__MAX, } alias dMat3Element = int; enum { dM3E__MIN, dM3E__X_MIN = dM3E__MIN + dSA_X * dV3E__MAX, dM3E__X_AXES_MIN = dM3E__X_MIN + dV3E__AXES_MIN, dM3E_XX = dM3E__X_MIN + dV3E_X, dM3E_XY = dM3E__X_MIN + dV3E_Y, dM3E_XZ = dM3E__X_MIN + dV3E_Z, dM3E__X_AXES_MAX = dM3E__X_MIN + dV3E__AXES_MAX, dM3E_XPAD = dM3E__X_MIN + dV3E_PAD, dM3E__X_MAX = dM3E__X_MIN + dV3E__MAX, dM3E__Y_MIN = dM3E__MIN + dSA_Y * dV3E__MAX, dM3E__Y_AXES_MIN = dM3E__Y_MIN + dV3E__AXES_MIN, dM3E_YX = dM3E__Y_MIN + dV3E_X, dM3E_YY = dM3E__Y_MIN + dV3E_Y, dM3E_YZ = dM3E__Y_MIN + dV3E_Z, dM3E__Y_AXES_MAX = dM3E__Y_MIN + dV3E__AXES_MAX, dM3E_YPAD = dM3E__Y_MIN + dV3E_PAD, dM3E__Y_MAX = dM3E__Y_MIN + dV3E__MAX, dM3E__Z_MIN = dM3E__MIN + dSA_Z * dV3E__MAX, dM3E__Z_AXES_MIN = dM3E__Z_MIN + dV3E__AXES_MIN, dM3E_ZX = dM3E__Z_MIN + dV3E_X, dM3E_ZY = dM3E__Z_MIN + dV3E_Y, dM3E_ZZ = dM3E__Z_MIN + dV3E_Z, dM3E__Z_AXES_MAX = dM3E__Z_MIN + dV3E__AXES_MAX, dM3E_ZPAD = dM3E__Z_MIN + dV3E_PAD, dM3E__Z_MAX = dM3E__Z_MIN + dV3E__MAX, dM3E__MAX = dM3E__MIN + dSA__MAX * dV3E__MAX, } alias dMat4Element = int; enum { dM4E__MIN, dM4E__X_MIN = dM4E__MIN + dV4E_X * dV4E__MAX, dM4E_XX = dM4E__X_MIN + dV4E_X, dM4E_XY = dM4E__X_MIN + dV4E_Y, dM4E_XZ = dM4E__X_MIN + dV4E_Z, dM4E_XO = dM4E__X_MIN + dV4E_O, dM4E__X_MAX = dM4E__X_MIN + dV4E__MAX, dM4E__Y_MIN = dM4E__MIN + dV4E_Y * dV4E__MAX, dM4E_YX = dM4E__Y_MIN + dV4E_X, dM4E_YY = dM4E__Y_MIN + dV4E_Y, dM4E_YZ = dM4E__Y_MIN + dV4E_Z, dM4E_YO = dM4E__Y_MIN + dV4E_O, dM4E__Y_MAX = dM4E__Y_MIN + dV4E__MAX, dM4E__Z_MIN = dM4E__MIN + dV4E_Z * dV4E__MAX, dM4E_ZX = dM4E__Z_MIN + dV4E_X, dM4E_ZY = dM4E__Z_MIN + dV4E_Y, dM4E_ZZ = dM4E__Z_MIN + dV4E_Z, dM4E_ZO = dM4E__Z_MIN + dV4E_O, dM4E__Z_MAX = dM4E__Z_MIN + dV4E__MAX, dM4E__O_MIN = dM4E__MIN + dV4E_O * dV4E__MAX, dM4E_OX = dM4E__O_MIN + dV4E_X, dM4E_OY = dM4E__O_MIN + dV4E_Y, dM4E_OZ = dM4E__O_MIN + dV4E_Z, dM4E_OO = dM4E__O_MIN + dV4E_O, dM4E__O_MAX = dM4E__O_MIN + dV4E__MAX, dM4E__MAX = dM4E__MIN + dV4E__MAX * dV4E__MAX, } alias dQuatElement = int; enum { dQUE__MIN, dQUE_R = dQUE__MIN, dQUE__AXIS_MIN, dQUE_I = dQUE__AXIS_MIN + dSA_X, dQUE_J = dQUE__AXIS_MIN + dSA_Y, dQUE_K = dQUE__AXIS_MIN + dSA_Z, dQUE__AXIS_MAX = dQUE__AXIS_MIN + dSA__MAX, dQUE__MAX = dQUE__AXIS_MAX, } alias dVector3 = dReal[dV3E__MAX]; alias dVector4 = dReal[dV4E__MAX]; alias dMatrix3 = dReal[dM3E__MAX]; alias dMatrix4 = dReal[dM4E__MAX]; alias dMatrix6 = dReal[(dMD__MAX * dV3E__MAX) * (dMD__MAX * dSA__MAX)]; alias dQuaternion = dReal[dQUE__MAX]; @nogc nothrow { dReal dRecip(dReal x) { return 1.0/x; } dReal dRecipSqrt(dReal x) { return 1.0/sqrt(x); } dReal dFMod(dReal a, dReal b) { real c; return modf(a, c); } dReal dMin(dReal x, dReal y) { return x <= y ? x : y; } dReal dMax(dReal x, dReal y) { return x <= y ? y : x; } } alias dSqrt = sqrt; alias dSin = sin; alias dCos = cos; alias dFabs = fabs; alias dAtan2 = atan2; alias dAsin = asin; alias dAcos = acos; alias dFMod = fmod; alias dFloor = floor; alias dCeil = ceil; alias dCopySign = copysign; alias dNextAfter = nextafter; alias dIsNan = isNaN; struct dxWorld; struct dxSpace; struct dxBody; struct dxGeom; struct dxJoint; struct dxJointNode; struct dxJointGroup; struct dxWorldProcessThreadingManager; alias dWorldID = dxWorld*; alias dSpaceID = dxSpace*; alias dBodyID = dxBody*; alias dGeomID = dxGeom*; alias dJointID = dxJoint*; alias dJointGroupID = dxJointGroup*; alias dWorldStepThreadingManagerId = dxWorldProcessThreadingManager*; enum { d_ERR_UNKNOWN = 0, d_ERR_IASSERT, d_ERR_UASSERT, d_ERR_LCP } alias dJointType = int; enum { dJointTypeNone = 0, dJointTypeBall, dJointTypeHinge, dJointTypeSlider, dJointTypeContact, dJointTypeUniversal, dJointTypeHinge2, dJointTypeFixed, dJointTypeNull, dJointTypeAMotor, dJointTypeLMotor, dJointTypePlane2D, dJointTypePR, dJointTypePU, dJointTypePiston, dJointTypeDBall, dJointTypeDHinge, dJointTypeTransmission, } enum { dParamLoStop = 0, dParamHiStop, dParamVel, dParamFMax, dParamFudgeFactor, dParamBounce, dParamCFM, dParamStopERP, dParamStopCFM, dParamSuspensionERP, dParamSuspensionCFM, dParamERP, dParamsInGroup, dParamLoStop1 = 0x000, dParamHiStop1, dParamVel1, dParamFMax1, dParamFudgeFactor1, dParamBounce1, dParamCFM1, dParamStopERP1, dParamStopCFM1, dParamSuspensionERP1, dParamSuspensionCFM1, dParamERP1, dParamLoStop2 = 0x100, dParamHiStop2, dParamVel2, dParamFMax2, dParamFudgeFactor2, dParamBounce2, dParamCFM2, dParamStopERP2, dParamStopCFM2, dParamSuspensionERP2, dParamSuspensionCFM2, dParamERP2, dParamLoStop3 = 0x200, dParamHiStop3, dParamVel3, dParamFMax3, dParamFudgeFactor3, dParamBounce3, dParamCFM3, dParamStopERP3, dParamStopCFM3, dParamSuspensionERP3, dParamSuspensionCFM3, dParamERP3, dParamGroup = 0x100 } enum { dAMotorUser = 0, dAMotorEuler = 1, } enum { dTransmissionParallelAxes = 0, dTransmissionIntersectingAxes = 1, dTransmissionChainDrive = 2, } struct dJointFeedback { dVector3 f1; dVector3 t1; dVector3 f2; dVector3 t2; } // collision.h enum { dGeomCommonControlClass = 0, dGeomColliderControlClass = 1 } enum { dGeomCommonAnyControlCode = 0, dGeomColliderSetMergeSphereContactsControlCode = 1, dGeomColliderGetMergeSphereContactsControlCode = 2 } enum { dGeomColliderMergeContactsValue__Default = 0, dGeomColliderMergeContactsValue_None = 1, dGeomColliderMergeContactsValue_Normals = 2, dGeomColliderMergeContactsValue_Full = 3 } enum { CONTACTS_UNIMPORTANT = 0x80000000 } enum { dMaxUserClasses = 4 } enum { dSphereClass = 0, dBoxClass, dCapsuleClass, dCylinderClass, dPlaneClass, dRayClass, dConvexClass, dGeomTransformClass, dTriMeshClass, dHeightFieldClass, dFirstSpaceClass, dSimpleSpaceClass = dFirstSpaceClass, dHashSpaceClass, dSweepAndPruneSpaceClass, dQuadTreeClass, dLastSpaceClass = dQuadTreeClass, dFirstUserClass, dLastUserClass = dFirstUserClass + dMaxUserClasses - 1, dGeomNumClasses } alias dCCylinderClass = dCapsuleClass; struct dxHeightfieldData; alias dxHeightfieldData* dHeightfieldDataID; extern(C) nothrow { alias dHeightfieldGetHeight = dReal function(void*, int, int); alias dGetAABBFn = void function(dGeomID, ref dReal[6]); alias dColliderFn = int function(dGeomID, dGeomID, int, dContactGeom*, int); alias dGetColliderFnFn = dColliderFn function(int); alias dGeomDtorFn = void function(dGeomID); alias dAABBTestFn = int function(dGeomID, dGeomID, ref dReal[6]); } struct dGeomClass { int bytes; dGetColliderFnFn collider; dGetAABBFn aabb; dAABBTestFn aabb_test; dGeomDtorFn dtor; } // collision_space.h extern(C) nothrow alias dNearCallback = void function(void*, dGeomID, dGeomID); enum { dSAP_AXES_XYZ = ((0)|(1<<2)|(2<<4)), dSAP_AXES_XZY = ((0)|(2<<2)|(1<<4)), dSAP_AXES_YXZ = ((1)|(0<<2)|(2<<4)), dSAP_AXES_YZX = ((1)|(2<<2)|(0<<4)), dSAP_AXES_ZXY = ((2)|(0<<2)|(1<<4)), dSAP_AXES_ZYX = ((2)|(1<<2)|(0<<4)) } // collision_trimesh.h struct dxTriMeshData; alias dxTriMeshData* dTriMeshDataID; alias dMeshTriangleVertex = int; enum { dMTV_MIN, dMTV_FIRST = dMTV_MIN, dMTV_SECOND, dMTV_THIRD, dMTV_MAX } enum { dTRIMESHDATA_MIN, dTRIMESHDATA_FACE_NORMALS = dTRIMESHDATA_MIN, dTRIMESHDATA_USE_FLAGS, dTRIMESHDATA_MAX } alias TRIMESH_FACE_NORMALS = dTRIMESHDATA_FACE_NORMALS; enum { dMESHDATAUSE_EDGE1 = 0x01, dMESHDATAUSE_EDGE2 = 0x02, dMESHDATAUSE_EDGE3 = 0x04, dMESHDATAUSE_VERTEX1 = 0x08, dMESHDATAUSE_VERTEX2 = 0x10, dMESHDATAUSE_VERTEX3 = 0x20, } extern(C) nothrow { alias dTriCallback = int function(dGeomID, dGeomID, int); alias dTriArrayCallback = void function(dGeomID, dGeomID, const(int)*, int); alias dTriRayCallback = int function(dGeomID, dGeomID, int, dReal, dReal); alias dTriTriMergeCallback = int function(dGeomID, int, int); } // contact.h enum { dContactMu2 = 0x001, dContactFDir1 = 0x002, dContactBounce = 0x004, dContactSoftERP = 0x008, dContactSoftCFM = 0x010, dContactMotion1 = 0x020, dContactMotion2 = 0x040, dContactMotionN = 0x080, dContactSlip1 = 0x100, dContactSlip2 = 0x200, dContactRolling = 0x400, dContactApprox0 = 0x0000, dContactApprox1_1 = 0x1000, dContactApprox1_2 = 0x2000, dContactApprox1_N = 0x4000, dContactApprox1 = 0x7000, } struct dSurfaceParameters { int mode; dReal mu; dReal mu2; dReal rho; dReal rho2; dReal rhoN; dReal bounce; dReal bounce_vel; dReal soft_erp; dReal soft_cfm; dReal motion1, motion2, motionN; dReal slip1, slip2; } struct dContactGeom { dVector3 pos; dVector3 normal; dReal depth; dGeomID g1, g2; int side1, side2; } struct dContact { dSurfaceParameters surface; dContactGeom geom; dVector3 fdir1; } // error.h extern(C) nothrow alias dMessageFunction = void function(int, const(char)*, va_list ap); // mass.h struct dMass { dReal mass; dVector3 c; dMatrix3 I; } // memory.h extern(C) nothrow { alias dAllocFunction = void* function(size_t); alias dReallocFunction = void* function(void*, size_t, size_t); alias dFreeFunction = void function(void*, size_t); } // objects.h enum dWORLDSTEP_THREADCOUNT_UNLIMITED = 0U; enum dWORLDSTEP_RESERVEFACTOR_DEFAULT = 1.2f; enum dWORLDSTEP_RESERVESIZE_DEFAULT = 65536U; struct dWorldStepReserveInfo { uint struct_size; float reserve_factor; uint reserve_minimum; } struct dWorldStepMemoryFunctionsInfo { uint struct_size; extern(C) nothrow { void* function(size_t) alloc_block; void* function(void*, size_t, size_t) shrink_block; void function(void*, size_t) free_block; } } // odeinit.h enum : uint { dInitFlagManualThreadCleanup = 0x00000001 } enum : uint { dAllocateFlagsBasicData = 0, dAllocateFlagsCollisionData = 0x00000001, dAllocateMaskAll = ~0U, } // odemath.h @nogc nothrow { auto dACCESS33(T)(T a, size_t i, size_t j) { return a[i * 4 + j]; } bool dVALIDVEC3(T)(T v) { return !(dIsNan(v[0]) || dIsNan(v[1]) || dIsNan(v[2])); } bool dVALIDVEC4(T)(T v) { return !(dIsNan(v[0]) || dIsNan(v[1]) || dIsNan(v[2]) || dIsNan(v[3])); } bool dVALIDMAT3(T)(T m) { return !( dIsNan(m[0]) || dIsNan(m[1]) || dIsNan(m[2]) || dIsNan(m[3]) || dIsNan(m[4]) || dIsNan(m[5]) || dIsNan(m[6]) || dIsNan(m[7]) || dIsNan(m[8]) || dIsNan(m[9]) || dIsNan(m[10]) || dIsNan(m[11]) ); } bool dVALIDMAT4(T)(T m) { return !( dIsNan(m[0]) || dIsNan(m[1]) || dIsNan(m[2]) || dIsNan(m[3]) || dIsNan(m[4]) || dIsNan(m[5]) || dIsNan(m[6]) || dIsNan(m[7]) || dIsNan(m[8]) || dIsNan(m[9]) || dIsNan(m[10]) || dIsNan(m[11]) || dIsNan(m[12]) || dIsNan(m[13]) || dIsNan(m[14]) || dIsNan(m[15]) ); } void dZeroVector3(ref dVector3 res) { res[dV3E_X] = 0.0; res[dV3E_Y] = 0.0; res[dV3E_Z] = 0.0; } void dZeroMatrix4(dMatrix4 res) { res[dM4E_XX] = 0.0; res[dM4E_XY] = 0.0; res[dM4E_XZ] = 0.0; res[dM4E_XO] = 0.0; res[dM4E_YX] = 0.0; res[dM4E_YY] = 0.0; res[dM4E_YZ] = 0.0; res[dM4E_YO] = 0.0; res[dM4E_ZX] = 0.0; res[dM4E_ZY] = 0.0; res[dM4E_ZZ] = 0.0; res[dM4E_ZO] = 0.0; res[dM4E_OX] = 0.0; res[dM4E_OY] = 0.0; res[dM4E_OZ] = 0.0; res[dM4E_OO] = 0.0; } void dZeroMatrix3(ref dMatrix3 res) { res[dM3E_XX] = 0.0; res[dM3E_XY] = 0.0; res[dM3E_XZ] = 0.0; res[dM3E_YX] = 0.0; res[dM3E_YY] = 0.0; res[dM3E_YZ] = 0.0; res[dM3E_ZX] = 0.0; res[dM3E_ZY] = 0.0; res[dM3E_ZZ] = 0.0; } void dAssignVector3(ref dVector3 res, dReal x, dReal y, dReal z) { res[dV3E_X] = x; res[dV3E_Y] = y; res[dV3E_Z] = z; } void dAddVectors3(dReal* res, const(dReal)* a, const(dReal)* b) { immutable res_0 = a[0] + b[0]; immutable res_1 = a[1] + b[1]; immutable res_2 = a[2] + b[2]; res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dSubtractVectors3(dReal* res, const(dReal)* a, const(dReal)* b) { immutable res_0 = a[0] - b[0]; immutable res_1 = a[1] - b[1]; immutable res_2 = a[2] - b[2]; res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dAddVectorScaledVector3(dReal* res, const(dReal)* a, const(dReal)* b, dReal b_scale) { immutable res_0 = a[0] + b_scale * b[0]; immutable res_1 = a[1] + b_scale * b[1]; immutable res_2 = a[2] + b_scale * b[2]; res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dAddScaledVectors3(dReal* res, const(dReal)* a, const(dReal)* b, dReal a_scale, dReal b_scale) { immutable res_0 = a_scale * a[0] + b_scale * b[0]; immutable res_1 = a_scale * a[1] + b_scale * b[1]; immutable res_2 = a_scale * a[2] + b_scale * b[2]; res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dAddThreeScaledVectors3(dReal *res, const(dReal)*a, const(dReal)*b, const(dReal)*c, dReal a_scale, dReal b_scale, dReal c_scale) { immutable res_0 = a_scale * a[0] + b_scale * b[0] + c_scale * c[0]; immutable res_1 = a_scale * a[1] + b_scale * b[1] + c_scale * c[1]; immutable res_2 = a_scale * a[2] + b_scale * b[2] + c_scale * c[2]; res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dScaleVector3(dReal* res, dReal nScale) { res[0] *= nScale; res[1] *= nScale; res[2] *= nScale; } void dNegateVector3(dReal* res) { res[0] = -res[0]; res[1] = -res[1]; res[2] = -res[2]; } void dCopyVector3(dReal* res, const(dReal)* a) { immutable res_0 = a[0]; immutable res_1 = a[1]; immutable res_2 = a[2]; res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dCopyScaledVector3(dReal* res, const(dReal)* a, dReal nScale) { immutable res_0 = a[0] * nScale; immutable res_1 = a[1] * nScale; immutable res_2 = a[2] * nScale; res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dCopyNegatedVector3(dReal* res, const(dReal)* a) { immutable res_0 = -a[0]; immutable res_1 = -a[1]; immutable res_2 = -a[2]; res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dCopyVector4(dReal* res, const(dReal)* a) { immutable res_0 = a[0]; immutable res_1 = a[1]; immutable res_2 = a[2]; immutable res_3 = a[3]; res[0] = res_0; res[1] = res_1; res[2] = res_2; res[3] = res_3; } void dCopyMatrix4x4(dReal* res, const(dReal)* a) { dCopyVector4(res + 0, a + 0); dCopyVector4(res + 4, a + 4); dCopyVector4(res + 8, a + 8); } void dCopyMatrix4x3(dReal* res, const(dReal)* a) { dCopyVector3(res + 0, a + 0); dCopyVector3(res + 4, a + 4); dCopyVector3(res + 8, a + 8); } void dGetMatrixColumn3(dReal* res, const(dReal)* a, uint n) { immutable res_0 = a[n + 0]; immutable res_1 = a[n + 4]; immutable res_2 = a[n + 8]; res[0] = res_0; res[1] = res_1; res[2] = res_2; } dReal dCalcVectorLength3(const(dReal)* a) { return dSqrt(a[0] * a[0] + a[1] * a[1] + a[2] * a[2]); } dReal dCalcVectorLengthSquare3(const(dReal)* a) { return (a[0] * a[0] + a[1] * a[1] + a[2] * a[2]); } dReal dCalcPointDepth3(const(dReal)* test_p, const(dReal)* plane_p, const(dReal)* plane_n) { return (plane_p[0] - test_p[0]) * plane_n[0] + (plane_p[1] - test_p[1]) * plane_n[1] + (plane_p[2] - test_p[2]) * plane_n[2]; } dReal _dCalcVectorDot3(const(dReal)* a, const(dReal)* b, uint step_a, uint step_b) { return a[0] * b[0] + a[step_a] * b[step_b] + a[2 * step_a] * b[2 * step_b]; } dReal dCalcVectorDot3 (const(dReal)* a, const(dReal)* b) { return _dCalcVectorDot3(a,b,1,1); } dReal dCalcVectorDot3_13 (const(dReal)* a, const(dReal)* b) { return _dCalcVectorDot3(a,b,1,3); } dReal dCalcVectorDot3_31 (const(dReal)* a, const(dReal)* b) { return _dCalcVectorDot3(a,b,3,1); } dReal dCalcVectorDot3_33 (const(dReal)* a, const(dReal)* b) { return _dCalcVectorDot3(a,b,3,3); } dReal dCalcVectorDot3_14 (const(dReal)* a, const(dReal)* b) { return _dCalcVectorDot3(a,b,1,4); } dReal dCalcVectorDot3_41 (const(dReal)* a, const(dReal)* b) { return _dCalcVectorDot3(a,b,4,1); } dReal dCalcVectorDot3_44 (const(dReal)* a, const(dReal)* b) { return _dCalcVectorDot3(a,b,4,4); } void _dCalcVectorCross3(dReal* res, const(dReal)* a, const(dReal)* b, uint step_res, uint step_a, uint step_b) { immutable res_0 = a[ step_a]*b[2*step_b] - a[2*step_a]*b[ step_b]; immutable res_1 = a[2*step_a]*b[ 0] - a[ 0]*b[2*step_b]; immutable res_2 = a[ 0]*b[ step_b] - a[ step_a]*b[ 0]; res[ 0] = res_0; res[ step_res] = res_1; res[2*step_res] = res_2; } void dCalcVectorCross3 (dReal* res, const(dReal)* a, const(dReal)* b) { _dCalcVectorCross3(res, a, b, 1, 1, 1); } void dCalcVectorCross3_114(dReal* res, const(dReal)* a, const(dReal)* b) { _dCalcVectorCross3(res, a, b, 1, 1, 4); } void dCalcVectorCross3_141(dReal* res, const(dReal)* a, const(dReal)* b) { _dCalcVectorCross3(res, a, b, 1, 4, 1); } void dCalcVectorCross3_144(dReal* res, const(dReal)* a, const(dReal)* b) { _dCalcVectorCross3(res, a, b, 1, 4, 4); } void dCalcVectorCross3_411(dReal* res, const(dReal)* a, const(dReal)* b) { _dCalcVectorCross3(res, a, b, 4, 1, 1); } void dCalcVectorCross3_414(dReal* res, const(dReal)* a, const(dReal)* b) { _dCalcVectorCross3(res, a, b, 4, 1, 4); } void dCalcVectorCross3_441(dReal* res, const(dReal)* a, const(dReal)* b) { _dCalcVectorCross3(res, a, b, 4, 4, 1); } void dCalcVectorCross3_444(dReal* res, const(dReal)* a, const(dReal)* b) { _dCalcVectorCross3(res, a, b, 4, 4, 4); } void dAddVectorCross3(dReal* res, const(dReal)* a, const(dReal)* b) { dReal[3] tmp; dCalcVectorCross3(tmp.ptr, a, b); dAddVectors3(res, res, tmp.ptr); } void dSubtractVectorCross3(dReal* res, const(dReal)* a, const(dReal)* b) { dReal[3] tmp; dCalcVectorCross3(tmp.ptr, a, b); dSubtractVectors3(res, res, tmp.ptr); } void dSetCrossMatrixPlus(dReal* res, const(dReal)* a, uint skip) { immutable a_0 = a[0], a_1 = a[1], a_2 = a[2]; res[1] = -a_2; res[2] = +a_1; res[skip+0] = +a_2; res[skip+2] = -a_0; res[2*skip+0] = -a_1; res[2*skip+1] = +a_0; } void dSetCrossMatrixMinus(dReal* res, const(dReal)* a, uint skip) { immutable a_0 = a[0], a_1 = a[1], a_2 = a[2]; res[1] = +a_2; res[2] = -a_1; res[skip+0] = -a_2; res[skip+2] = +a_0; res[2*skip+0] = +a_1; res[2*skip+1] = -a_0; } dReal dCalcPointsDistance3(const(dReal)* a, const(dReal)* b) { dReal res; dReal[3] tmp; dSubtractVectors3(tmp.ptr, a, b); res = dCalcVectorLength3(tmp.ptr); return res; } void dMultiplyHelper0_331(dReal* res, const(dReal)* a, const(dReal)* b) { immutable res_0 = dCalcVectorDot3(a, b); immutable res_1 = dCalcVectorDot3(a + 4, b); immutable res_2 = dCalcVectorDot3(a + 8, b); res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dMultiplyHelper1_331(dReal* res, const(dReal)* a, const(dReal)* b) { immutable res_0 = dCalcVectorDot3_41(a, b); immutable res_1 = dCalcVectorDot3_41(a + 1, b); immutable res_2 = dCalcVectorDot3_41(a + 2, b); res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dMultiplyHelper0_133(dReal* res, const(dReal)* a, const(dReal)* b) { dMultiplyHelper1_331(res, b, a); } void dMultiplyHelper1_133(dReal* res, const(dReal)* a, const(dReal)* b) { immutable res_0 = dCalcVectorDot3_44(a, b); immutable res_1 = dCalcVectorDot3_44(a + 1, b); immutable res_2 = dCalcVectorDot3_44(a + 2, b); res[0] = res_0; res[1] = res_1; res[2] = res_2; } void dMultiply0_331(dReal* res, const(dReal)* a, const(dReal)* b) { dMultiplyHelper0_331(res, a, b); } void dMultiply1_331(dReal* res, const(dReal)* a, const(dReal)* b) { dMultiplyHelper1_331(res, a, b); } void dMultiply0_133(dReal* res, const(dReal)* a, const(dReal)* b) { dMultiplyHelper0_133(res, a, b); } void dMultiply0_333(dReal* res, const(dReal)* a, const(dReal)* b) { dMultiplyHelper0_133(res + 0, a + 0, b); dMultiplyHelper0_133(res + 4, a + 4, b); dMultiplyHelper0_133(res + 8, a + 8, b); } void dMultiply1_333(dReal* res, const(dReal)* a, const(dReal)* b) { dMultiplyHelper1_133(res + 0, b, a + 0); dMultiplyHelper1_133(res + 4, b, a + 1); dMultiplyHelper1_133(res + 8, b, a + 2); } void dMultiply2_333(dReal* res, const(dReal)* a, const(dReal)* b) { dMultiplyHelper0_331(res + 0, b, a + 0); dMultiplyHelper0_331(res + 4, b, a + 4); dMultiplyHelper0_331(res + 8, b, a + 8); } void dMultiplyAdd0_331(dReal* res, const(dReal)* a, const(dReal)* b) { dReal[3] tmp; dMultiplyHelper0_331(tmp.ptr, a, b); dAddVectors3(res, res, tmp.ptr); } void dMultiplyAdd1_331(dReal* res, const(dReal)* a, const(dReal)* b) { dReal[3] tmp; dMultiplyHelper1_331(tmp.ptr, a, b); dAddVectors3(res, res, tmp.ptr); } void dMultiplyAdd0_133(dReal* res, const(dReal)* a, const(dReal)* b) { dReal[3] tmp; dMultiplyHelper0_133(tmp.ptr, a, b); dAddVectors3(res, res, tmp.ptr); } void dMultiplyAdd0_333(dReal* res, const(dReal)* a, const(dReal)* b) { dReal[3] tmp; dMultiplyHelper0_133(tmp.ptr, a + 0, b); dAddVectors3(res+ 0, res + 0, tmp.ptr); dMultiplyHelper0_133(tmp.ptr, a + 4, b); dAddVectors3(res + 4, res + 4, tmp.ptr); dMultiplyHelper0_133(tmp.ptr, a + 8, b); dAddVectors3(res + 8, res + 8, tmp.ptr); } void dMultiplyAdd1_333(dReal* res, const(dReal)* a, const(dReal)* b) { dReal[3] tmp; dMultiplyHelper1_133(tmp.ptr, b, a + 0); dAddVectors3(res + 0, res + 0, tmp.ptr); dMultiplyHelper1_133(tmp.ptr, b, a + 1); dAddVectors3(res + 4, res + 4, tmp.ptr); dMultiplyHelper1_133(tmp.ptr, b, a + 2); dAddVectors3(res + 8, res + 8, tmp.ptr); } void dMultiplyAdd2_333(dReal* res, const(dReal)* a, const(dReal)* b) { dReal[3] tmp; dMultiplyHelper0_331(tmp.ptr, b, a + 0); dAddVectors3(res + 0, res + 0, tmp.ptr); dMultiplyHelper0_331(tmp.ptr, b, a + 4); dAddVectors3(res + 4, res + 4, tmp.ptr); dMultiplyHelper0_331(tmp.ptr, b, a + 8); dAddVectors3(res + 8, res + 8, tmp.ptr); } dReal dCalcMatrix3Det(const(dReal)* mat) { dReal det; det = mat[0] * (mat[5]*mat[10] - mat[9]*mat[6]) - mat[1] * (mat[4]*mat[10] - mat[8]*mat[6]) + mat[2] * (mat[4]*mat[9] - mat[8]*mat[5]); return det; } dReal dInvertMatrix3(dReal* dst, const(dReal)* ma) { dReal det; dReal detRecip; det = dCalcMatrix3Det(ma); if(det == 0) { return 0; } detRecip = dRecip(det); dst[0] = (ma[5]*ma[10] - ma[6]*ma[9] ) * detRecip; dst[1] = (ma[9]*ma[2] - ma[1]*ma[10]) * detRecip; dst[2] = (ma[1]*ma[6] - ma[5]*ma[2] ) * detRecip; dst[4] = (ma[6]*ma[8] - ma[4]*ma[10]) * detRecip; dst[5] = (ma[0]*ma[10] - ma[8]*ma[2] ) * detRecip; dst[6] = (ma[4]*ma[2] - ma[0]*ma[6] ) * detRecip; dst[8] = (ma[4]*ma[9] - ma[8]*ma[5] ) * detRecip; dst[9] = (ma[8]*ma[1] - ma[0]*ma[9] ) * detRecip; dst[10] = (ma[0]*ma[5] - ma[1]*ma[4] ) * detRecip; return det; } } // threading.h struct dxThreadingImplementation; alias dThreadingImplementationID = dxThreadingImplementation*; alias dmutexindex_t = uint; struct dxMutexGroup; alias dMutexGroupID = dxMutexGroup*; extern(C) nothrow { alias dMutexGroupAllocFunction = dMutexGroupID function(dThreadingImplementationID,dmutexindex_t,const(char*)*); alias dMutexGroupFreeFunction = void function(dThreadingImplementationID,dMutexGroupID); alias dMutexGroupMutexLockFunction = void function(dThreadingImplementationID,dMutexGroupID,dmutexindex_t); alias dMutexGroupMutexUnlockFunction = void function(dThreadingImplementationID,dMutexGroupID,dmutexindex_t); } struct dxCallReleasee; alias dCallReleaseeID = dxCallReleasee*; struct dxCallWait; alias dCallWaitID = dxCallWait*; alias ddependencycount_t = size_t; alias ddependencychange_t = ptrdiff_t; alias dcallindex_t = size_t; struct dThreadedWaitTime { time_t wait_sec; c_ulong wait_nsec; } extern(C) nothrow { alias dThreadedCallFunction = int function(void*,dcallindex_t,dCallReleaseeID); alias dThreadedCallWaitAllocFunction = dCallWaitID function(dThreadingImplementationID); alias dThreadedCallWaitResetFunction = void function(dThreadingImplementationID,dCallWaitID); alias dThreadedCallWaitFreeFunction = void function(dThreadingImplementationID,dCallWaitID); alias dThreadedCallPostFunction = void function(dThreadingImplementationID,int*,dCallReleaseeID*,ddependencycount_t,dCallReleaseeID,dCallWaitID,dThreadedCallFunction*,void*,dcallindex_t,const(char)*); alias dThreadedCallDependenciesCountAlterFunction = void function(dThreadingImplementationID,dCallReleaseeID,ddependencychange_t); alias dThreadedCallWaitFunction = void function(dThreadingImplementationID,int*,dCallWaitID,const(dThreadedWaitTime)*,const(char)*); alias dThreadingImplThreadCountRetrieveFunction = uint function(dThreadingImplementationID); alias dThreadingImplResourcesForCallsPreallocateFunction = int function(dThreadingImplementationID,ddependencycount_t); } struct dThreadingFunctionsInfo { uint struct_size; dMutexGroupAllocFunction* alloc_mutex_group; dMutexGroupFreeFunction* free_mutex_group; dMutexGroupMutexLockFunction* lock_group_mutex; dMutexGroupMutexUnlockFunction* unlock_group_mutex; dThreadedCallWaitAllocFunction* alloc_call_wait; dThreadedCallWaitResetFunction* reset_call_wait; dThreadedCallWaitFreeFunction* free_call_wait; dThreadedCallPostFunction* post_call; dThreadedCallDependenciesCountAlterFunction* alter_call_dependencies_count; dThreadedCallWaitFunction* wait_call; dThreadingImplThreadCountRetrieveFunction* retrieve_thread_count; dThreadingImplResourcesForCallsPreallocateFunction* preallocate_resources_for_calls; } // timer.h struct dStopwatch { double time; c_ulong[2] cc; }
D
/** * Copyright: © 2013-2014 Anton Gushcha * License: Subject to the terms of the MIT license, as written in the included LICENSE file. * Authors: NCrashed <[email protected]> */ module concolor.unix; import std.process; static if(__VERSION__ < 2066) enum nogc; @safe: struct foreground { version(linux) { enum Command { black = "tput setaf 0", red = "tput setaf 1", green = "tput setaf 2", yellow = "tput setaf 3", blue = "tput setaf 4", magenta = "tput setaf 5", cyan = "tput setaf 6", white = "tput setaf 7", reset = "tput sgr0" } } else version(OSX) // untested { enum Command { black = "tput setaf 0", red = "tput setaf 1", green = "tput setaf 2", yellow = "tput setaf 3", blue = "tput setaf 4", magenta = "tput setaf 5", cyan = "tput setaf 6", white = "tput setaf 7", reset = "tput sgr0" } } else version(Posix) { enum Command { black = "tput AF 0", red = "tput AF 1", green = "tput AF 2", yellow = "tput AF 3", blue = "tput AF 4", magenta = "tput AF 5", cyan = "tput AF 6", white = "tput AF 7", reset = "tput me" } } mixin(genColorFuncs!Command); } struct background { version(linux) { enum Command { black = "tput setab 0", red = "tput setab 1", green = "tput setab 2", yellow = "tput setab 3", blue = "tput setab 4", magenta = "tput setab 5", cyan = "tput setab 6", white = "tput setab 7", reset = "tput sgr0" } } else version(OSX) // untested { enum Command { black = "tput setab 0", red = "tput setab 1", green = "tput setab 2", yellow = "tput setab 3", blue = "tput setab 4", magenta = "tput setab 5", cyan = "tput setab 6", white = "tput setab 7", reset = "tput sgr0" } } else version(Posix) { enum Command { black = "tput AB 0", red = "tput AB 1", green = "tput AB 2", yellow = "tput AB 3", blue = "tput AB 4", magenta = "tput AB 5", cyan = "tput AB 6", white = "tput AB 7", reset = "tput me" } } mixin(genColorFuncs!Command); } private string changeColor(T)(T color) nothrow if(is(T == enum)) { try return executeShell(color).output; catch(Exception e) { return ""; } } private string genColorFuncs(T)() if(is(T == enum)) { string ret; foreach(member; __traits(allMembers, T)) { ret ~= ` static string `~member~`() nothrow { return changeColor(Command.`~member~`); } `; } return ret; }
D
/// Translated from C to D module glfw3.win32_time; extern(C): @nogc: nothrow: __gshared: //======================================================================== // GLFW 3.3 Win32 - www.glfw.org //------------------------------------------------------------------------ // Copyright (c) 2002-2006 Marcus Geelnard // Copyright (c) 2006-2017 Camilla Löwy <[email protected]> // // 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. // //======================================================================== // Please use C89 style variable declarations in this file because VS 2010 //======================================================================== public import glfw3.internal; ////////////////////////////////////////////////////////////////////////// ////// GLFW internal API ////// ////////////////////////////////////////////////////////////////////////// // Initialise timer // void _glfwInitTimerWin32() { ulong frequency; if (QueryPerformanceFrequency(cast(LARGE_INTEGER*) &frequency)) { _glfw.timer.win32.hasPC = GLFW_TRUE; _glfw.timer.win32.frequency = frequency; } else { _glfw.timer.win32.hasPC = GLFW_FALSE; _glfw.timer.win32.frequency = 1000; } } ////////////////////////////////////////////////////////////////////////// ////// GLFW platform API ////// ////////////////////////////////////////////////////////////////////////// ulong _glfwPlatformGetTimerValue() { if (_glfw.timer.win32.hasPC) { ulong value; QueryPerformanceCounter(cast(LARGE_INTEGER*) &value); return value; } else return cast(ulong) _glfw.win32.winmm.GetTime(); } ulong _glfwPlatformGetTimerFrequency() { return _glfw.timer.win32.frequency; }
D
module tofuEngine.component; import std.range; import std.traits; import std.meta; import graphics.gui; import util.serial2; import math.matrix; import tofuEngine.engine; import tofuEngine.entity; // _____ _ __ __ _ // / ____| | | | \/ | | | // | | ___ _ __ ___ _ __ ___ ___ _ __ | |_ | \ / | __ _ _ __ __ _ __ _ _ __ ___ ___ _ __ | |_ // | | / _ \| '_ ` _ \| '_ \ / _ \ / _ \ '_ \| __| | |\/| |/ _` | '_ \ / _` |/ _` | '_ ` _ \ / _ \ '_ \| __| // | |___| (_) | | | | | | |_) | (_) | __/ | | | |_ | | | | (_| | | | | (_| | (_| | | | | | | __/ | | | |_ // \_____\___/|_| |_| |_| .__/ \___/ \___|_| |_|\__| |_| |_|\__,_|_| |_|\__,_|\__, |_| |_| |_|\___|_| |_|\__| // | | __/ | // |_| |___/ abstract class ComEntry { GlobalComponent global; dstring name; dstring fullName; GUID hash; Component makeComponentFunc(); Component dupFunc(Component c); void serialFunc(Serializer s, Component c); void deserialFunc(Deserializer d, Component c); void propFunc(PropertyPane p, Component c); void messageFunc(TypeInfo id, void* content, Component c); final bool isGlobal() { return global !is null; } } final class ComEntryImpl(T) : ComEntry if(is(T == class) && is(T:Component)) { override Component makeComponentFunc() { static if(is(T:GlobalComponent)) { throw new Exception("Cannot make a global component!"); } else { import std.experimental.allocator : make; import std.experimental.allocator.mallocator; auto c = Mallocator.instance.make!T(); c.m_entry = this; return c; } } override Component dupFunc(Component c) { static if(is(T:GlobalComponent)) { throw new Exception("Cannot dup a global component!"); } else { T o = cast(T) c; T n = cast(T) makeComponentFunc(); shallow_copy(o,n); n.m_entry = this; n.m_owner = null; return n; } } override void serialFunc(Serializer s, Component c) { T t = cast(T) c; s.serialize(t); } override void deserialFunc(Deserializer d, Component c) { T t = cast(T) c; d.deserialize(t); } override void propFunc(PropertyPane p, Component c) { T t = cast(T) c; p.setData(t); } override void messageFunc(TypeInfo id, void* content, Component c) { T t = cast(T) c; foreach(M; messageTypes!T) { if(id == typeid(M)) { auto p = cast(M*)(content); t.message(*p); return; } } static if(__traits(compiles, (T x, TypeInfo i, void* cont) { x.defaultMessage(i,cont); })) { t.defaultMessage(id, content); } } } abstract class Component { @NoPropertyPane @SerialSkip package { ComEntry m_entry; Entity m_owner; } @property Entity owner() { return m_owner; } @property ComEntry entry() { return m_entry; } //@property Engine engine() { return m_owner.engine; } //@property Level level() { return this.engine.level; } final auto getGlobalComponent(T)() { return comMan.getGlobal!T(); } final void serialize(Serializer s) { m_entry.serialFunc(s, this); } final void deserialize(Deserializer d) { m_entry.deserialFunc(d, this); } final void editProperties(PropertyPane p) { m_entry.propFunc(p, this); } final Component dup() { return m_entry.dupFunc(this); } final void messageHandeler(TypeInfo id, void* content) { m_entry.messageFunc(id, content, this); } void initCom() {} void destCom() {} void broadcast(T)(ref T message) { messageHandeler(typeid(T), cast(void*)(&message)); } } abstract class GlobalComponent : Component { //@NoPropertyPane @SerialSkip package Engine eng; @property override Entity owner() { return null; } //@property override Engine engine() { return eng; } } void removeFromOwner(Component c) { Entity e = c.owner; e.removeComponent(c); } // //abstract class Component //{ // ComEntry entry; // protected bool hasMessageHandelers = false; // // void serialize(Serializer s, MessageContext args); // void deserialize(Deserializer d, MessageContext args); // void editProperties(PropertyPane); // Used to edit the properties in the editor // Component duplicate() {return null;} // Used to make a copy of the component // // void init(MessageContext args) {} // Called when the component is created // void dest(MessageContext args) {} // Called when the component is destroyed // // // // Will use ref T to allow message handelers to write responses back into the message // void message(T)(ref T message, MessageContext args) // { // if(hasMessageHandelers == false) return; // messageHandeler(typeid(T), cast(void*)(&message), args); // } // // void messageHandeler(TypeInfo id, void* content, MessageContext args) {} // // auto ref getValue(T)() // { // if(auto c = cast(com_imp!T)this) // { // return c.com; // } // assert(false, "Not a component of that type"); // } //} /// Used to register a component type T mixin template registerComponent(T) { static this() { import tofuEngine.component : reg_com; reg_com!T(); } } /// Called by the registerComponent mixin to actually register a component type void reg_com(T)() { if(comMan is null) comMan = new ComponentManager(); comMan.register!(T)(); } /// The global component manager, keeps track of all the component types package ComponentManager comMan; /// Keeps track of all the component types public class ComponentManager { ComEntry[GUID] registered_components; uint globalCount = 0; this() { // empty } void register(T)() if(is(T == class) && is(T:Component)) { import std.stdio; import std.conv; import std.exception:enforce; import std.traits : fullyQualifiedName; auto entry = new ComEntryImpl!T(); static if(is(T:GlobalComponent)) { entry.global = new T(); // make the global version entry.global.m_entry = entry; globalCount ++; } enum dstring dname = fullyQualifiedName!(T); enum dstring shortname = { auto ids = dname; uint loc = cast(uint)(ids.length); for(;loc > 0; loc--) if(ids[loc-1] == '.') break; return ids[loc .. $]; }(); entry.fullName = dname; entry.name = shortname; entry.hash = GUID(entry.fullName); enforce(entry.hash !in registered_components, "Wow really? Hash collision, welp guess you should index by the full name then"); registered_components[entry.hash] = entry; } ComEntry getComEntry(GUID hash) { auto p = hash in registered_components; if(p) return *p; else return null; } ComEntry getComEntry(T)() { import std.traits : fullyQualifiedName; enum dstring dname = fullyQualifiedName!(T); auto guid = GUID(dname); return getComEntry(guid); } auto getGlobal(T)() if(is(T:GlobalComponent)) { auto entry = getComEntry!T(); assert(entry.global !is null); return cast(T)(entry.global); } } template messageTypes(T) { static if(hasMember!(T, "message")) { static if(__traits(compiles, isCallable!(T.message))) { static if(isCallable!(T.message)) { alias messageTypes = staticMap!(mapPred, Filter!(filterPred, __traits(getOverloads, T, "message"))); } else alias messageTypes = AliasSeq!(); } else alias messageTypes = AliasSeq!(); } else alias messageTypes = AliasSeq!(); } private template filterPred(alias f) { static if(arity!f == 1) enum filterPred = true; else enum filterPred = false; } private template mapPred(alias f) { alias mapPred = Parameters!(f)[0]; } // Component Select Box // Select a component, block until its selected // return null on cancel ComEntry* componentSelectBox() { import math.geo.rectangle; // Tree node class comTree : TreeView { ComEntry* ent; this(dstring text, ComEntry* e) { ent = e; super(text); } override protected void stylizeProc() { if(ent == null) { if(getDepth == 0) icon = 0; else if(expanded) icon = '\uF07C'; else icon = '\uF07B'; } else { icon = '\uF12E'; } super.stylizeProc; } } // Event Handeler struct eventH{ bool ok = false; ComEntry* selected; Window win; void event(EventArgs e) { if(e.type != EventType.Action) return; if(e.origin.text == "Cancel") { ok = false; selected = null; win.close(); } else if(e.origin.text == "Ok" && selected != null) { ok = true; win.close(); } else if(auto c = cast(comTree)e.origin) { if(e.down) selected = c.ent; } } } // Set up gui auto window = new Window(); eventH handeler; { window.fillFirst = true; window.bounds.size = vec2(300,500); window.text = "Select Component"; handeler.win = window; auto split = new VerticalSplit(); split.border = false; split.flipSplit = true; split.split = 40; split.allowSlide = false; auto scroll = new Scrollbox(); scroll.fillFirst = true; auto top = new comTree("", null); top.expanded = true; void add(dstring name, TreeView n, ComEntry* com) { import std.algorithm : equal; int dot = -1; for(int i = 0; i < name.length; i++) { if(name[i] == '.') { dot = i; break; } } auto cur = (dot == -1)? name : name[0..dot]; TreeView target = null; foreach(c; n.children) { if(equal(c.text, cur)) { target = cast(TreeView)c; break; } } if(target is null) { auto ent = (dot == -1)? com : null; target = new comTree(cur, ent); target.eventHandeler = &handeler.event; n.addDiv(target); } if(dot != -1) { add(name[dot + 1 .. $], target, com); } } foreach(ref ent; comMan.registered_components) { if(ent.global is null) // Not a global com add(ent.fullName, top, &ent); } scroll.addDiv(top); auto bot = new Panel(); bot.border = false; split.addDiv(scroll); split.addDiv(bot); auto ok_b = new Button(); ok_b.bounds = Rectangle(5,5,80,25); ok_b.text = "Ok"; ok_b.eventHandeler = &handeler.event; bot.addDiv(ok_b); auto cancel_b = new Button(); cancel_b.bounds = Rectangle(90,5,80,25); cancel_b.text = "Cancel"; cancel_b.eventHandeler = &handeler.event; bot.addDiv(cancel_b); window.addDiv(split); } window.waitOnClose(); return handeler.ok?handeler.selected:null; } void shallow_copy(T)(T s, T d) if(is(T == class)) { ubyte[] sp = (cast(ubyte*)s)[0..T.classinfo.m_init.length]; ubyte[] dp = (cast(ubyte*)d)[0..T.classinfo.m_init.length]; dp[] = sp[]; }
D
/* 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 minexewgames.framework.annotationUtil; import minexewgames.framework.staticIndexOfInstanceOf; import std.traits; import std.typetuple; template AnnotationIndex(Class, string fieldName, Annotation) { enum AnnotationIndex = staticIndexOf!(Annotation, __traits(getAttributes, __traits(getMember, Class, fieldName))); } template AnnotationInstanceIndex(Class, string fieldName, Annotation) { enum AnnotationInstanceIndex = staticIndexOfInstanceOf!(Annotation, __traits(getAttributes, __traits(getMember, Class, fieldName))); } template HasAnnotation(Class, string fieldName, Annotation) { enum HasAnnotation = AnnotationIndex!(Class, fieldName, Annotation) != -1; } auto GetAnnotationInstance(Class, string fieldName, Annotation)() { enum index = AnnotationInstanceIndex!(Class, fieldName, Annotation); static assert(index != -1, "No instance of annotation '" ~ Annotation.stringof ~ "' found on '" ~ Class.stringof ~ "." ~ fieldName ~ "'"); return __traits(getAttributes, __traits(getMember, Class, fieldName))[index]; }
D
in an insignificant manner not to a significant degree or amount
D
import std.stdio; import compress : compress_big = compress; import compress_min : compress_min = compress; import core.memory; import core.thread; import std.range; import std.file; import std.datetime; import std.conv; //Benchmarking! extern (C) void c_free(void *ptr); extern (C) char *id_compress(char *id, int idlen, size_t *plen); extern (C) char *id_compress_reduced(char *id, int idlen, size_t *plen); alias RawType = int; alias RawBuffer = RawType[]; alias ScanBuffer= RawType[][]; void main(string[] args) { //source of text: https://issues.dlang.org/show_bug.cgi?id=15831#c4 static string haystack = "testexpansion.s!(testexpansion.s!(testexpansion.s!(testexpansion.s!(testexpansion.s!(int).s(int).Result).s(testexpansion.s!(int).s(int).Result).Result).s(testexpansion.s!(testexpansion.s!(int).s(int).Result).s(testexpansion.s!(int).s(int).Result).Result).Result).s(testexpansion.s!(testexpansion.s!(testexpansion.s!(int).s(int).Result).s(testexpansion.s!(int).s(int).Result).Result).s(testexpansion.s!(testexpansion.s!(int).s(int).Result).s(testexpansion.s!(int).s(int).Result).Result).Result).Result).s(testexpansion.s!(testexpansion.s!(testexpansion.s!(testexpansion.s!(int).s(int).Result).s(testexpansion.s!(int).s(int).Result).Result).s(testexpansion.s!(testexpansion.s!(int).s(int).Result).s(testexpansion.s!(int).s(int).Result).Result).Result).s(testexpansion.s!(testexpansion.s!(testexpansion.s!(int).s(int).Result).s(testexpansion.s!(int).s(int).Result).Result).s(testexpansion.s!(testexpansion.s!(int).s(int).Result).s(testexpansion.s!(int).s(int).Result).Result).Result).Result).Result.foo()"; static RawBuffer rb; auto f1 = () { compress_min(haystack); }; auto f2 = () { compress_big(haystack); }; auto f3 = () { size_t plen; id_compress(cast(char*) haystack.ptr, haystack.length, &plen); }; auto f4 = () { size_t plen; id_compress_reduced(cast(char*) haystack.ptr, haystack.length, &plen); }; // TickDuration min_compress, memoryhungry_compress, original_compress, original_reduced_compress; struct D { void function() del; string name; int order; TickDuration tick; void call() {del();} } auto data = [ D(f3, "id_compress", 3), D(f4, "id_compress_reduced", 4), D(f1, "min_compress", 1), D(f2, "big_compress", 2), ]; if (args.length > 1) { int i = to!int(args[1]); data = [data[i]]; } if (args.length > 2) { //load x file for an input for testing. haystack = cast(string) read(args[2]); } int samples = 100; int rounds = 100000 / samples; int baseline = 0; if (args.length > 3) { rounds = to!int(args[3]); } GC.reserve(1024^^3); //a gig reserve? GC.disable(); foreach(ref job; data) { // writeln(job); // GC.collect(); thread_joinAll(); auto indirectCall() { job.del(); } //because telling it a function location requires this? job.tick = benchmark!(indirectCall)(rounds)[0]; foreach(i; iota(0, samples)) { auto current = benchmark!(indirectCall)(rounds)[0]; if (current < job.tick) job.tick = current; } } if (args.length > 1) { writef("%20s: %4dms %8dμs, ", data[0].name, data[0].tick.msecs, data[0].tick.usecs); } else { foreach(job; data) { writefln("%20s: %dms %dμs, %g", job.name, job.tick.msecs, job.tick.usecs, cast(double) job.tick.usecs / cast(double) data[baseline].tick.usecs); } } string mh; char *id; write(haystack.length, "\t(source size) -> "); foreach(job; data) { size_t plen; switch(job.order) { case 3: id=id_compress(cast(char*) haystack.ptr, haystack.length, &plen); mh = cast(string) id[0 .. plen]; // writeln(mh.length, "\t", mh); break; case 4: id=id_compress_reduced(cast(char*) haystack.ptr, haystack.length, &plen); mh = cast(string) id[0 .. plen]; // writeln(mh.length, "\t", mh); break; case 2: mh=compress_big(haystack); // writeln(mh.length, "\t", mh); break; case 1: mh=compress_min(haystack); // writeln(mh.length, "\t", mh); break; default: } writeln(mh.length); } }
D
/Users/LuisSFU/Desktop/Derilearn/DeriLearn/DerivedData/DeriLearn/Build/Intermediates/DeriLearn.build/Debug-iphonesimulator/DeriLearn.build/Objects-normal/x86_64/ViewControllerPregunta.o : /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerFormulario2.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerRetroPractica.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerPregunta.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerCatAprende.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/AppDelegate.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/ViewControllerSelPreg.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerCatAprendeTrigo.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerFormulario.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.apinotesc /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/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.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/CoreData.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/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/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/LuisSFU/Desktop/Derilearn/DeriLearn/DerivedData/DeriLearn/Build/Intermediates/DeriLearn.build/Debug-iphonesimulator/DeriLearn.build/Objects-normal/x86_64/ViewControllerPregunta~partial.swiftmodule : /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerFormulario2.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerRetroPractica.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerPregunta.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerCatAprende.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/AppDelegate.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/ViewControllerSelPreg.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerCatAprendeTrigo.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerFormulario.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.apinotesc /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/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.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/CoreData.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/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/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/LuisSFU/Desktop/Derilearn/DeriLearn/DerivedData/DeriLearn/Build/Intermediates/DeriLearn.build/Debug-iphonesimulator/DeriLearn.build/Objects-normal/x86_64/ViewControllerPregunta~partial.swiftdoc : /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerFormulario2.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerRetroPractica.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerPregunta.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerCatAprende.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/AppDelegate.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/ViewControllerSelPreg.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerCatAprendeTrigo.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewControllerFormulario.swift /Users/LuisSFU/Desktop/Derilearn/DeriLearn/DeriLearn/ViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.apinotesc /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/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreText.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/CoreData.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/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/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
D
/Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/TextAreas/TextArea.swift.o : /Users/abuzeid/workspace/DevPods/DevComponents/TextAreas/TextArea.swift /Users/abuzeid/workspace/DevPods/DevComponents/PaddingLabel.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarViewModel.swift /Users/abuzeid/workspace/DevPods/DevComponents/Tooltip/TooltipConfigurationProtocol.swift /Users/abuzeid/workspace/DevPods/DevComponents/TabBar.swift /Users/abuzeid/workspace/DevPods/DevComponents/RatingBar.swift /Users/abuzeid/workspace/DevPods/DevComponents/Tooltip/TooltipHeader.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarPresenter.swift /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/DerivedSources/resource_bundle_accessor.swift /Users/abuzeid/workspace/DevPods/DevComponents/UIView+Constrains.swift /Users/abuzeid/workspace/DevPods/DevComponents/NibView.swift /Users/abuzeid/workspace/DevPods/DevComponents/ContentSizeTableView.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarView.swift /Users/abuzeid/workspace/DevPods/DevComponents/MessageTextView.swift /Users/abuzeid/workspace/DevPods/DevComponents/TextAreas/ResizableTextView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevTag.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevNetwork.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevPlayer.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevExtensions.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/TextAreas/TextArea~partial.swiftmodule : /Users/abuzeid/workspace/DevPods/DevComponents/TextAreas/TextArea.swift /Users/abuzeid/workspace/DevPods/DevComponents/PaddingLabel.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarViewModel.swift /Users/abuzeid/workspace/DevPods/DevComponents/Tooltip/TooltipConfigurationProtocol.swift /Users/abuzeid/workspace/DevPods/DevComponents/TabBar.swift /Users/abuzeid/workspace/DevPods/DevComponents/RatingBar.swift /Users/abuzeid/workspace/DevPods/DevComponents/Tooltip/TooltipHeader.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarPresenter.swift /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/DerivedSources/resource_bundle_accessor.swift /Users/abuzeid/workspace/DevPods/DevComponents/UIView+Constrains.swift /Users/abuzeid/workspace/DevPods/DevComponents/NibView.swift /Users/abuzeid/workspace/DevPods/DevComponents/ContentSizeTableView.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarView.swift /Users/abuzeid/workspace/DevPods/DevComponents/MessageTextView.swift /Users/abuzeid/workspace/DevPods/DevComponents/TextAreas/ResizableTextView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevTag.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevNetwork.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevPlayer.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevExtensions.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/TextAreas/TextArea~partial.swiftdoc : /Users/abuzeid/workspace/DevPods/DevComponents/TextAreas/TextArea.swift /Users/abuzeid/workspace/DevPods/DevComponents/PaddingLabel.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarViewModel.swift /Users/abuzeid/workspace/DevPods/DevComponents/Tooltip/TooltipConfigurationProtocol.swift /Users/abuzeid/workspace/DevPods/DevComponents/TabBar.swift /Users/abuzeid/workspace/DevPods/DevComponents/RatingBar.swift /Users/abuzeid/workspace/DevPods/DevComponents/Tooltip/TooltipHeader.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarPresenter.swift /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/DerivedSources/resource_bundle_accessor.swift /Users/abuzeid/workspace/DevPods/DevComponents/UIView+Constrains.swift /Users/abuzeid/workspace/DevPods/DevComponents/NibView.swift /Users/abuzeid/workspace/DevPods/DevComponents/ContentSizeTableView.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarView.swift /Users/abuzeid/workspace/DevPods/DevComponents/MessageTextView.swift /Users/abuzeid/workspace/DevPods/DevComponents/TextAreas/ResizableTextView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevTag.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevNetwork.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevPlayer.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevExtensions.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/TextAreas/TextArea~partial.swiftsourceinfo : /Users/abuzeid/workspace/DevPods/DevComponents/TextAreas/TextArea.swift /Users/abuzeid/workspace/DevPods/DevComponents/PaddingLabel.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarViewModel.swift /Users/abuzeid/workspace/DevPods/DevComponents/Tooltip/TooltipConfigurationProtocol.swift /Users/abuzeid/workspace/DevPods/DevComponents/TabBar.swift /Users/abuzeid/workspace/DevPods/DevComponents/RatingBar.swift /Users/abuzeid/workspace/DevPods/DevComponents/Tooltip/TooltipHeader.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarPresenter.swift /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/DerivedSources/resource_bundle_accessor.swift /Users/abuzeid/workspace/DevPods/DevComponents/UIView+Constrains.swift /Users/abuzeid/workspace/DevPods/DevComponents/NibView.swift /Users/abuzeid/workspace/DevPods/DevComponents/ContentSizeTableView.swift /Users/abuzeid/workspace/DevPods/DevComponents/SnackBar/SnackBarView.swift /Users/abuzeid/workspace/DevPods/DevComponents/MessageTextView.swift /Users/abuzeid/workspace/DevPods/DevComponents/TextAreas/ResizableTextView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevTag.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevNetwork.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevPlayer.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevExtensions.build/module.modulemap /Users/abuzeid/workspace/DevPods/.build/x86_64-apple-macosx/debug/DevComponents.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
module xf.nucleus.renderer.ForwardRenderer; private { import xf.Common, xf.nucleus.Defs, xf.nucleus.Value, xf.nucleus.Param, xf.nucleus.Function, xf.nucleus.Renderable, xf.nucleus.Light, xf.nucleus.Renderer, xf.nucleus.RenderList, xf.nucleus.KernelImpl, xf.nucleus.KernelParamInterface, xf.nucleus.KernelCompiler, xf.nucleus.SurfaceDef, xf.nucleus.Material, xf.nucleus.SamplerDef, xf.nucleus.kdef.Common, xf.nucleus.kdef.model.IKDefRegistry, xf.nucleus.kdef.model.KDefInvalidation, xf.nucleus.kdef.KDefGraphBuilder, xf.nucleus.graph.GraphOps, xf.nucleus.graph.KernelGraph, xf.nucleus.graph.KernelGraphOps, xf.nucleus.graph.GraphMisc, xf.nucleus.util.EffectInfo, xf.nucleus.StdUniforms; import xf.vsd.VSD; import xf.nucleus.Log : log = nucleusLog, error = nucleusError; static import xf.nucleus.codegen.Rename; import xf.gfx.EffectHelper; // TODO: get rid of this import Nucleus = xf.nucleus.Nucleus; import xf.gfx.Effect, xf.gfx.IndexData, xf.gfx.Texture, xf.omg.core.LinearAlgebra, xf.omg.core.CoordSys, xf.omg.util.ViewSettings, xf.mem.StackBuffer, xf.mem.MainHeap, xf.mem.ChunkQueue, xf.mem.ScratchAllocator, xf.mem.SmallTempArray, xf.gfx.IRenderer : RendererBackend = IRenderer; import xf.mem.Array; import MemUtils = xf.utils.Memory; import xf.utils.FormatTmp; import tango.util.container.HashMap; import tango.stdc.stdio : sprintf; // TMP static import xf.utils.Memory; import tango.io.device.File; } class ForwardRenderer : Renderer { mixin MRenderer!("Forward"); mixin MStdUniforms; this (RendererBackend backend, IKDefRegistry kdefRegistry) { _kdefRegistry = kdefRegistry; _effectCache = new typeof(_effectCache); super(backend); } private { // all mem allocated off the scratch fifo struct SurfaceData { struct Info { cstring name; // stringz void* ptr; } Info[] info; KernelImplId kernelId; ScratchFIFO _mem; //KernelImpl reflKernel; void dispose() { _mem.dispose(); info = null; kernelId = KernelImplId.invalid; } } SurfaceData[256] _surfaces; } // TODO: mem // TODO: textures override void registerSurface(SurfaceDef def) { auto surf = &_surfaces[def.id]; surf._mem.initialize(); final mem = DgScratchAllocator(&surf._mem.pushBack); surf.info = mem.allocArray!(SurfaceData.Info)(def.params.length); //assert (def.reflKernel !is null); assert (def.reflKernel.id.isValid); surf.kernelId = def.reflKernel.id; uword sizeReq = 0; foreach (i, p; def.params) { surf.info[i].name = mem.dupStringz(cast(cstring)p.name); // TODO: figure out whether that alignment is needed at all memcpy( surf.info[i].ptr = mem.alignedAllocRaw(p.valueSize, uword.sizeof), p.value, p.valueSize ); } } protected void unregisterSurfaces() { foreach (ref surf; _surfaces) { surf.dispose(); } } // implements IKDefInvalidationObserver void onKDefInvalidated(KDefInvalidationInfo info) { unregisterMaterials(); unregisterSurfaces(); _renderableValid.clearAll(); scope stack = new StackBuffer; mixin MSmallTempArray!(Effect) toDispose; if (info.anyConverters) { foreach (eck, ref einfo; _effectCache) { if (einfo.isValid) { toDispose.pushBack(einfo.effect, &stack.allocRaw); einfo.dispose(); } } } else { foreach (eck, ref einfo; _effectCache) { if (einfo.isValid) { if ( !_kdefRegistry.getKernel(eck.materialKernel).isValid || !_kdefRegistry.getKernel(eck.structureKernel).isValid || !_kdefRegistry.getKernel(eck.reflKernel).isValid ) { toDispose.pushBack(einfo.effect, &stack.allocRaw); einfo.dispose(); } else { foreach (lk; eck.lightKernels) { if (!_kdefRegistry.getKernel(lk).isValid) { toDispose.pushBack(einfo.effect, &stack.allocRaw); einfo.dispose(); break; } } } } } } foreach (ref ei; _renderableEI) { if (ei.isValid) { auto eiEf = ei.getEffect; foreach (e; toDispose.items) { if (e is eiEf) { ei.dispose(); break; } } } } foreach (ef; toDispose.items) { _backend.disposeEffect(ef); } } // TODO: mem, indices instead of names (?) struct EffectCacheKey { KernelImplId materialKernel; KernelImplId reflKernel; KernelImplId structureKernel; KernelImplId[] lightKernels; hash_t hash; hash_t toHash() { return hash; } bool opEquals(ref EffectCacheKey other) { return materialKernel == other.materialKernel && reflKernel == other.reflKernel && structureKernel == other.structureKernel && lightKernels == other.lightKernels; } } private { HashMap!(EffectCacheKey, EffectInfo) _effectCache; } private EffectCacheKey createEffectCacheKey(RenderableId rid, Light[] affectingLights) { EffectCacheKey key; SurfaceId surfaceId = renderables.surface[rid]; auto surface = &_surfaces[surfaceId]; MaterialId materialId = renderables.material[rid]; auto material = _materials[materialId]; key.materialKernel = *_materialKernels[materialId]; key.reflKernel = surface.kernelId; key.structureKernel = _kdefRegistry.getKernel(renderables.structureKernel[rid]).id; key.lightKernels.length = affectingLights.length; foreach (lightI, light; affectingLights) { key.lightKernels[lightI] = _kdefRegistry.getKernel(light.kernelName).id; } key.lightKernels.sort; hash_t hash = 0; hash += key.materialKernel.value; hash *= 7; hash += key.reflKernel.value; hash *= 7; hash += key.structureKernel.value; foreach (ref lightKernel; key.lightKernels) { hash *= 7; hash += lightKernel.value; } key.hash = hash; return key; } private EffectInfo buildEffectForRenderable(RenderableId rid, Light[] affectingLights) { scope stack = new StackBuffer; EffectInfo effectInfo; SurfaceId surfaceId = renderables.surface[rid]; auto surface = &_surfaces[surfaceId]; MaterialId materialId = renderables.material[rid]; auto material = _materials[materialId]; final structureKernel = _kdefRegistry.getKernel(renderables.structureKernel[rid]); final materialKernel = _kdefRegistry.getKernel(*_materialKernels[materialId]); final reflKernel = _kdefRegistry.getKernel(surface.kernelId); log.info( "buildEffectForRenderable for structure {}, mat {}, refl {}", structureKernel.name, materialKernel.name, reflKernel.name ); assert (structureKernel.isValid); assert (materialKernel.isValid); assert (reflKernel.isValid); alias KernelGraph.NodeType NT; // ---- Build the Structure kernel graph BuilderSubgraphInfo structureInfo; BuilderSubgraphInfo materialInfo; auto kg = createKernelGraph(); scope (exit) { //assureNotCyclic(kg); disposeKernelGraph(kg); } { GraphBuilder builder; builder.sourceKernelType = SourceKernelType.Structure; builder.build(kg, structureKernel, &structureInfo, stack); } assert (structureInfo.output.valid); // Compute all flow and conversions within the Structure graph, // skipping conversions to the Output node /+File.set("graph.dot", toGraphviz(kg)); scope (failure) { File.set("graph.dot", toGraphviz(kg)); }+/ ConvCtx convCtx; convCtx.semanticConverters = &_kdefRegistry.converters; convCtx.getKernel = &_kdefRegistry.getKernel; convertGraphDataFlowExceptOutput( kg, convCtx ); void buildMaterialGraph() { GraphBuilder builder; builder.sourceKernelType = SourceKernelType.Material; builder.build(kg, materialKernel, &materialInfo, stack); assert (materialInfo.input.valid); } buildMaterialGraph(); final materialNodesTopo = stack.allocArray!(GraphNodeId)(materialInfo.nodes.length); findTopologicalOrder(kg.backend_readOnly, materialInfo.nodes, materialNodesTopo); //File.set("graph.dot", toGraphviz(kg)); fuseGraph( kg, materialInfo.input, convCtx, materialNodesTopo, // _findSrcParam delegate bool( Param* dstParam, GraphNodeId* srcNid, Param** srcParam ) { return getOutputParamIndirect( kg, structureInfo.output, dstParam.name, srcNid, srcParam ); }, OutputNodeConversion.Perform ); bool removeNodeIfTypeMatches(GraphNodeId id, NT type) { if (type == kg.getNode(id).type) { kg.removeNode(id); return true; } else { return false; } } if (affectingLights.length > 0) { // ---- Build the graphs for lights and reflectance auto lightGraphs = stack.allocArray!(BuilderSubgraphInfo)(affectingLights.length); auto reflGraphs = stack.allocArray!(BuilderSubgraphInfo)(affectingLights.length); foreach (lightI, light; affectingLights) { final lightGraph = &lightGraphs[lightI]; final reflGraph = &reflGraphs[lightI]; // Build light kernel graphs final lightKernel = _kdefRegistry.getKernel(light.kernelName); { GraphBuilder builder; builder.sourceKernelType = SourceKernelType.Light; builder.sourceLightIndex = lightI; builder.build(kg, lightKernel, lightGraph, stack); } // Build reflectance kernel graphs { GraphBuilder builder; builder.sourceKernelType = SourceKernelType.Reflectance; builder.spawnDataNodes = 0 == lightI; builder.dataNodeSource = reflGraphs[0].nodes; builder.build(kg, reflKernel, reflGraph, stack); } } // ---- Connect the subgraphs // Connect the light graph to structure output foreach (lightI, ref lightGraph; lightGraphs) { scope stack2 = new StackBuffer; auto lightNodesTopo = stack2.allocArray!(GraphNodeId)(lightGraph.nodes.length); findTopologicalOrder(kg.backend_readOnly, lightGraph.nodes, lightNodesTopo); fuseGraph( kg, lightGraph.input, convCtx, lightNodesTopo, // _findSrcParam delegate bool( Param* dstParam, GraphNodeId* srcNid, Param** srcParam ) { if (dstParam.name != "position" && dstParam.name != "normal") { error( "Expected position or normal input from a" " light kernel. Got: '{}'", dstParam.name ); } return getOutputParamIndirect( kg, structureInfo.output, dstParam.name, srcNid, srcParam ); }, OutputNodeConversion.Skip ); } // Connect the reflectance graph to light and structure output uword numReflDataNodes = 0; foreach (n; reflGraphs[0].nodes) { if (NT.Data == kg.getNode(n).type) { ++numReflDataNodes; } } foreach (lightI, ref reflGraph; reflGraphs) { scope stack2 = new StackBuffer; /* * We collect only the non-data nodes here for fusion, as * Data nodes are shared between reflectance kernel nodes. * Having them in the list would make findTopologicalOrder * traverse outward from them and find the connected non-shared * nodes of other refl graph instances. The Data nodes are not * used in fusion anyway - it's mostly concerned about Input * and Output nodes, plus whatever might be connected to them. */ uword numReflNoData = reflGraph.nodes.length - numReflDataNodes; auto reflNoData = stack2.allocArray!(GraphNodeId)(numReflNoData); { uword i = 0; foreach (n; reflGraph.nodes) { if (NT.Data != kg.getNode(n).type) { reflNoData[i++] = n; } } } auto reflNodesTopo = stack2.allocArray!(GraphNodeId)(numReflNoData); findTopologicalOrder(kg.backend_readOnly, reflNoData, reflNodesTopo); fuseGraph( kg, reflGraph.input, convCtx, reflNodesTopo, // _findSrcParam delegate bool( Param* dstParam, GraphNodeId* srcNid, Param** srcParam ) { switch (dstParam.name) { case "toEye": return getOutputParamIndirect( kg, structureInfo.output, "position", srcNid, srcParam ); case "normal": return getOutputParamIndirect( kg, materialInfo.output, "out_normal", srcNid, srcParam ); default: return getOutputParamIndirect( kg, lightGraphs[lightI].output, dstParam.name, srcNid, srcParam ); } }, OutputNodeConversion.Skip ); removeNodeIfTypeMatches(lightGraphs[lightI].output, NT.Output); } // ---- Sum the diffuse and specular reflectance Function addFunc; { final addKernel = _kdefRegistry.getKernel("Add"); assert (KernelImpl.Type.Kernel == addKernel.type); assert (addKernel.kernel.isConcrete); addFunc = cast(Function)addKernel.kernel.func; } GraphNodeId diffuseSumNid; cstring diffuseSumPName; reduceGraphData( kg, (void delegate(GraphNodeId nid, cstring pname) sink) { foreach (ref ig; reflGraphs) { GraphNodeId srcNid; Param* srcParam; if (!getOutputParamIndirect( kg, ig.output, "diffuse", &srcNid, &srcParam )) { error( "Could not find input to the 'diffuse' output" " of an refl kernel. Should have been found earlier." ); } sink(srcNid, srcParam.name); } }, addFunc, &diffuseSumNid, &diffuseSumPName ); GraphNodeId specularSumNid; cstring specularSumPName; reduceGraphData( kg, (void delegate(GraphNodeId nid, cstring pname) sink) { foreach (ref ig; reflGraphs) { GraphNodeId srcNid; Param* srcParam; if (!getOutputParamIndirect( kg, ig.output, "specular", &srcNid, &srcParam )) { error( "Could not find input to the 'specular' output" " of an refl kernel. Should have been found earlier." ); } sink(srcNid, srcParam.name); } }, addFunc, &specularSumNid, &specularSumPName ); // --- // Not needed anymore, the flow has been reduced and the source params // have been located. foreach (ref ig; reflGraphs) { removeNodeIfTypeMatches(ig.output, NT.Output); } // --- verifyDataFlowNames(kg); // --- Conversions convertGraphDataFlowExceptOutput( kg, convCtx ); if (!structureInfo.singleNode) { removeNodeIfTypeMatches(structureInfo.output, NT.Output); } Function mulFunc; { final mulKernel = _kdefRegistry.getKernel("Mul"); assert (KernelImpl.Type.Kernel == mulKernel.type); assert (mulKernel.kernel.isConcrete); mulFunc = cast(Function)mulKernel.kernel.func; } auto mulDiffuseNid = kg.addFuncNode(mulFunc); auto mulSpecularNid = kg.addFuncNode(mulFunc); auto sumTotalLight = kg.addFuncNode(addFunc); kg.flow.addDataFlow(specularSumNid, specularSumPName, mulSpecularNid, "a"); kg.flow.addDataFlow(mulDiffuseNid, "c", sumTotalLight, "a"); kg.flow.addDataFlow(diffuseSumNid, diffuseSumPName, mulDiffuseNid, "a"); { GraphNodeId nid; Param* par; if (getOutputParamIndirect( kg, materialInfo.output, "out_albedo", &nid, &par )) { kg.flow.addDataFlow(nid, par.name, mulDiffuseNid, "b"); } else { error("Incoming flow to 'out_albedo' of the Material kernel not found."); } } kg.flow.addDataFlow(mulSpecularNid, "c", sumTotalLight, "b"); { GraphNodeId nid; Param* par; if (getOutputParamIndirect( kg, materialInfo.output, "out_specular", &nid, &par )) { kg.flow.addDataFlow(nid, par.name, mulSpecularNid, "b"); } else { error("Incoming flow to 'out_specular' of the Material kernel not found."); } } auto outRadianceNid = kg.addNode(NT.Output); final outRadiance = kg.getNode(outRadianceNid).output.params .add(ParamDirection.In, "out_radiance"); outRadiance.hasPlainSemantic = true; outRadiance.type = "float4"; outRadiance.semantic.addTrait("use", "color"); auto addEmissive = kg.addFuncNode(addFunc); { GraphNodeId nid; Param* par; if (getOutputParamIndirect( kg, materialInfo.output, "out_emissive", &nid, &par )) { kg.flow.addDataFlow(nid, par.name, addEmissive, "a"); } else { error("Incoming flow to 'out_emissive' of the Material kernel not found."); } } kg.flow.addDataFlow(sumTotalLight, "c", addEmissive, "b"); kg.flow.addDataFlow(addEmissive, "c", outRadianceNid, outRadiance.name); convertGraphDataFlowExceptOutput( kg, convCtx, (int delegate(ref GraphNodeId) sink) { if (int r = sink(materialInfo.output)) return r; if (int r = sink(mulDiffuseNid)) return r; if (int r = sink(mulSpecularNid)) return r; if (int r = sink(sumTotalLight)) return r; if (int r = sink(outRadianceNid)) return r; if (int r = sink(addEmissive)) return r; return 0; } ); removeNodeIfTypeMatches(materialInfo.output, NT.Output); // For codegen below materialInfo.output = addEmissive; } else { assert (false); // TODO // No affecting lights // TODO: zero the diffuse and specular contribs // ... or don't draw the object /+buildMaterialGraph(); verifyDataFlowNames(kg); fuseGraph( kg, structureInfo.output, // graph1NodeIter (int delegate(ref GraphNodeId) sink) { foreach (nid; structureInfo.nodes) { if (int r = sink(nid)) { return r; } } return 0; }, materialInfo.input, convCtx, OutputNodeConversion.Perform );+/ } //assureNotCyclic(kg); kg.flow.removeAllAutoFlow(); verifyDataFlowNames(kg); // ---- CodegenSetup cgSetup; cgSetup.inputNode = structureInfo.input; cgSetup.outputNode = materialInfo.output; final ctx = CodegenContext(&stack.allocRaw); final effect = effectInfo.effect = compileKernelGraph( null, kg, cgSetup, &ctx, _backend, _kdefRegistry, (CodeSink fmt) { fmt(stdUniformsCg); } ); //assureNotCyclic(kg); // ---- effect.compile(); // HACK allocateDefaultUniformStorage(effect); bindStdUniforms(effect); findEffectInfo(_backend, kg, &effectInfo); //assureNotCyclic(kg); return effectInfo; } private void compileEffectsForRenderables(RenderableId[] rids) { foreach (idx, rid; rids) { if (!this._renderableValid.isSet(rid) || !_renderableEI[rid].valid) { // --- Find the lights affecting this renderable // HACK Light[] affectingLights = .lights; // compile the kernels, create an EffectInstance // TODO: cache Effects and only create new EffectInstances EffectInfo effectInfo; auto cacheKey = createEffectCacheKey( rid, affectingLights ); { EffectInfo* info = cacheKey in _effectCache; if (info !is null && info.effect !is null) { effectInfo = *info; } else { effectInfo = buildEffectForRenderable(rid, affectingLights); if (info !is null) { // Must have been disposed earlier in whatever caused // the compilation of the effect anew assert (info.effect is null); *info = effectInfo; } else { _effectCache[cacheKey] = effectInfo; } } } Effect effect = effectInfo.effect; // ---- EffectInstance efInst = _backend.instantiateEffect(effect); // HACK // all structure params should come from the asset // all reflectance params - from the surface // all light params - from light // all pigmeht params - from materials // hence there should be no need for 'default' storage allocateDefaultUniformStorage(efInst); void** instUniforms = efInst.getUniformPtrsDataPtr(); void** getInstUniformPtrPtr(cstring name) { if (instUniforms) { final idx = efInst.getUniformParamGroup.getUniformIndex(name); if (idx != -1) { return instUniforms + idx; } } return null; } // ---- /* * HACK: Bah, now this is kind of tricky. On on hand, kernel graphs * may come with defaults for Data node parameters, which need to be * set for new effects. On the other hand, parameters are supposed * to be owned by materials/surfaces but they don't need to specify * them all. In such a case there doesn't seem to be a location * for these parameters which materials/surfaces don't set. * * The proper solution will be to inspect all refl and material * kernels, match them to mats/surfs and create the default param * values directly inside mats/surfs. This could also be done on * the level of Nucled, so that mats/surfs always define all values, * even if they're not set in the GUI */ setEffectInstanceUniformDefaults(&effectInfo, efInst); // ---- auto surface = &_surfaces[renderables.surface[rid]]; foreach (ref info; surface.info) { char[256] fqn; sprintf(fqn.ptr, "reflectance__%.*s", info.name); auto name = fromStringz(fqn.ptr); void** ptr = getInstUniformPtrPtr(name); if (ptr) { *ptr = info.ptr; } } auto material = _materials[renderables.material[rid]]; foreach (ref info; material.info) { char[256] fqn; sprintf(fqn.ptr, "material__%.*s", info.name); auto name = fromStringz(fqn.ptr); void** ptr = getInstUniformPtrPtr(name); if (ptr) { *ptr = info.ptr; } } // ---- foreach (uint lightI, light; affectingLights) { light.setKernelData( KernelParamInterface( // getVaryingParam null, // getUniformParam (cstring name) { char[256] fqn; sprintf(fqn.ptr, "light%u__%.*s", lightI, name); if (auto p = getInstUniformPtrPtr(fromStringz(fqn.ptr))) { return p; } else { return cast(void**)null; } }, // setIndexData null )); } _renderableIndexData[rid] = null; renderables.structureData[rid].setKernelObjectData( KernelParamInterface( // getVaryingParam (cstring name) { char[256] fqn; sprintf(fqn.ptr, "VertexProgram.structure__%.*s", name); size_t paramIdx = void; if (efInst.getEffect.hasVaryingParam( fromStringz(fqn.ptr), &paramIdx )) { return efInst.getVaryingParamDataPtr() + paramIdx; } else { return cast(VaryingParamData*)null; } }, // getUniformParam (cstring name) { char[256] fqn; sprintf(fqn.ptr, "structure__%.*s", name); if (auto p = getInstUniformPtrPtr(fromStringz(fqn.ptr))) { return p; } else { return cast(void**)null; } }, // setIndexData (IndexData* id) { log.info("_renderableIndexData[{}] = {};", rid, id); _renderableIndexData[rid] = id; } )); if (_renderableEI[rid].valid) { _renderableEI[rid].dispose(); } _renderableEI[rid] = efInst; this._renderableValid.set(rid); } } } override void onRenderableCreated(RenderableId id) { super.onRenderableCreated(id); xf.utils.Memory.realloc(_renderableEI, id+1); xf.utils.Memory.realloc(_renderableIndexData, id+1); } override void render(ViewSettings vs, VSDRoot* vsd, RenderList* rlist) { // HACK foreach (l; .lights) { l.prepareRenderData(vsd); } updateStdUniforms(vs); final rids = rlist.list.renderableId[0..rlist.list.length]; compileEffectsForRenderables(rids); final blist = _backend.createRenderList(); scope (exit) _backend.disposeRenderList(blist); foreach (l; .lights) { l.calcInfluenceRadius(); } foreach (idx, rid; rids) { final ei = _renderableEI[rid]; final bin = blist.getBin(ei.getEffect); final item = bin.add(ei); item.coordSys = rlist.list.coordSys[idx]; item.indexData = *_renderableIndexData[rid]; } _backend.render(blist); } private { // HACK EffectInstance[] _renderableEI; IndexData*[] _renderableIndexData; IKDefRegistry _kdefRegistry; } }
D
// Copyright Brian Schott (Hackerpilot) 2014. // 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 dscanner.analysis.objectconst; import std.stdio; import std.regex; import dparse.ast; import dparse.lexer; import dscanner.analysis.base; import dscanner.analysis.helpers; import dsymbol.scope_ : Scope; /** * Checks that opEquals, opCmp, toHash, 'opCast', and toString are either const, * immutable, or inout. */ final class ObjectConstCheck : BaseAnalyzer { alias visit = BaseAnalyzer.visit; mixin AnalyzerInfo!"object_const_check"; /// this(string fileName, const(Scope)* sc, bool skipTests = false) { super(fileName, sc, skipTests); } mixin visitTemplate!ClassDeclaration; mixin visitTemplate!InterfaceDeclaration; mixin visitTemplate!UnionDeclaration; mixin visitTemplate!StructDeclaration; override void visit(const AttributeDeclaration d) { if (d.attribute.attribute == tok!"const" && inAggregate) { constColon = true; } d.accept(this); } override void visit(const Declaration d) { import std.algorithm : any; bool setConstBlock; if (inAggregate && d.attributes && d.attributes.any!(a => a.attribute == tok!"const")) { setConstBlock = true; constBlock = true; } bool containsDisable(A)(const A[] attribs) { import std.algorithm.searching : canFind; return attribs.canFind!(a => a.atAttribute !is null && a.atAttribute.identifier.text == "disable"); } if (const FunctionDeclaration fd = d.functionDeclaration) { const isDeclationDisabled = containsDisable(d.attributes) || containsDisable(fd.memberFunctionAttributes); if (inAggregate && !constColon && !constBlock && !isDeclationDisabled && isInteresting(fd.name.text) && !hasConst(fd.memberFunctionAttributes)) { addErrorMessage(d.functionDeclaration.name.line, d.functionDeclaration.name.column, "dscanner.suspicious.object_const", "Methods 'opCmp', 'toHash', 'opEquals', 'opCast', and/or 'toString' are non-const."); } } d.accept(this); if (!inAggregate) constColon = false; if (setConstBlock) constBlock = false; } private static bool hasConst(const MemberFunctionAttribute[] attributes) { import std.algorithm : any; return attributes.any!(a => a.tokenType == tok!"const" || a.tokenType == tok!"immutable" || a.tokenType == tok!"inout"); } private static bool isInteresting(string name) { return name == "opCmp" || name == "toHash" || name == "opEquals" || name == "toString" || name == "opCast"; } private bool constBlock; private bool constColon; } unittest { import dscanner.analysis.config : StaticAnalysisConfig, Check, disabledConfig; StaticAnalysisConfig sac = disabledConfig(); sac.object_const_check = Check.enabled; assertAnalyzerWarnings(q{ void testConsts() { // Will be ok because all are declared const/immutable class Cat { const bool opEquals(Object a, Object b) // ok { return true; } const int opCmp(Object o) // ok { return 1; } const hash_t toHash() // ok { return 0; } const string toString() // ok { return "Cat"; } } class Bat { const: override string toString() { return "foo"; } // ok } class Fox { const{ override string toString() { return "foo"; }} // ok } class Rat { bool opEquals(Object a, Object b) @disable; // ok } class Ant { @disable bool opEquals(Object a, Object b); // ok } // Will warn, because none are const class Dog { bool opEquals(Object a, Object b) // [warn]: Methods 'opCmp', 'toHash', 'opEquals', 'opCast', and/or 'toString' are non-const. { return true; } int opCmp(Object o) // [warn]: Methods 'opCmp', 'toHash', 'opEquals', 'opCast', and/or 'toString' are non-const. { return 1; } hash_t toHash() // [warn]: Methods 'opCmp', 'toHash', 'opEquals', 'opCast', and/or 'toString' are non-const. { return 0; } string toString() // [warn]: Methods 'opCmp', 'toHash', 'opEquals', 'opCast', and/or 'toString' are non-const. { return "Dog"; } } } }c, sac); stderr.writeln("Unittest for ObjectConstCheck passed."); }
D
/** C++ tests that must run */ module it.cpp.run; import it; @HiddenTest @Tags("run") @("ctor") @safe unittest { shouldCompileAndRun( Cpp( q{ struct Struct { void *data; Struct(); Struct(int i); Struct(const Struct&); Struct(Struct&&); int number() const; }; } ), Cpp( ` #include <iostream> using namespace std; Struct::Struct(int i) { cout << "C++: int ctor" << endl; data = new int(i); } Struct::Struct(const Struct& other) { cout << "C++: copy ctor" << endl; data = new int(*reinterpret_cast<int*>(other.data) - 1); } Struct::Struct(Struct&& other) { cout << "C++: move ctor" << endl; data = other.data; *reinterpret_cast<int*>(data) = number() + 1; } int Struct::number() const { return *reinterpret_cast<int*>(data); } ` ), D( q{ import std.stdio; import std.process; const dCompiler = environment.get("DC", "dmd"); writeln("D: Testing int ctor"); auto cs = const Struct(42); assert(cs.number() == 42); assert(*(cast(int*)cs.data) == 42); auto ms = Struct(7); writeln("D: Testing copy ctor"); { auto s = Struct(cs); assert(s.number() == 41); assert(cs.data !is s.data); } { auto s = Struct(ms); assert(s.number() == 6); assert(cs.data !is s.data); } writeln("D: Testing move ctor"); auto tmp = Struct(33); const oldTmpData = tmp.data; auto mv1 = Struct(dpp.move(tmp)); assert(mv1.number() == 34); assert(mv1.data is oldTmpData); assert(tmp.data is null); static assert(!__traits(compiles, Struct(dpp.move(cs)))); if(dCompiler != "dmd") { auto mv2 = Struct(Struct(77)); assert(mv2.number() == 78); } static assert(!__traits(compiles, Struct())); } ), ); } @Tags("run") @("dtor") @safe unittest { shouldCompileAndRun( Cpp( q{ struct Struct { static int numStructs; Struct(int i); ~Struct(); }; struct DeletedDtor { ~DeletedDtor() = delete; }; } ), Cpp( q{ int Struct::numStructs; // the i parameter is to force D to call a constructor, // since Struct() just blasts it with Struct.init Struct::Struct(int i) { numStructs += i; } Struct::~Struct() { --numStructs; } } ), D( q{ import std.conv: text; assert(Struct.numStructs == 0, Struct.numStructs.text); { auto s1 = Struct(3); assert(Struct.numStructs == 3, Struct.numStructs.text); { auto s2 = Struct(2); assert(Struct.numStructs == 5, Struct.numStructs.text); } assert(Struct.numStructs == 4, Struct.numStructs.text); } assert(Struct.numStructs == 3, Struct.numStructs.text); } ), ); } @Tags("run") @("function") @safe unittest { shouldCompileAndRun( Cpp( q{ int add(int i, int j); struct Adder { int i; Adder(int i); int add(int j); }; } ), Cpp( q{ int add(int i, int j) { return i + j; } Adder::Adder(int i):i(i + 10) {} int Adder::add(int j) { return i + j; } } ), D( q{ import std.conv: text; import std.exception: assertThrown; import core.exception: AssertError; assert(add(2, 3) == 5, "add(2, 3) should be 5"); void func() { assert(add(2, 3) == 7); } assertThrown!AssertError(func(), "add(2, 3) should not be 7"); auto adder = Adder(3); assert(adder.add(4) == 17, "Adder(3).add(4) should be 17 not " ~ text(adder.add(4))); } ), ); } @Tags("run", "collision") @("collisions") @safe unittest { shouldRun( Cpp( q{ struct foo { int i; }; int foo(int i, int j); struct foo add_foo_ptrs(const struct foo* f1, const struct foo* f2); union bar { int i; double d; }; int bar(int i); enum baz { one, two, three }; int baz(); enum other { four, five }; int other; } ), Cpp( q{ int foo(int i, int j) { return i + j + 1; } struct foo add_foo_ptrs(const struct foo* f1, const struct foo* f2) { struct foo ret; ret.i = f1->i + f2->i; return ret; } int bar(int i) { return i * 2; } int baz() { return 42; } } ), D( q{ assert(foo_(2, 3) == 6); assert(bar_(4) == 8); assert(baz_ == 42); auto f1 = foo(2); auto f2 = foo(3); assert(add_foo_ptrs(&f1, &f2) == foo(5)); bar b; b.i = 42; b.d = 33.3; baz z1 = two; baz z2 = baz.one; other_ = 77; other o1 = other.four; other o2 = five; import std.exception: assertThrown; import core.exception: AssertError; void func() { assert(foo_(2, 3) == 7); } assertThrown!AssertError(func()); } ), ); } @HiddenTest("Passes on Travis, crashes on my machine") @Tags("run") @("operators") @safe unittest { shouldRun( Cpp( q{ struct Struct { int i; Struct(int i); // Unary operators Struct operator+ () const; Struct operator- () const; Struct operator* () const; Struct operator& () const; Struct operator->() const; Struct operator~ () const; bool operator! () const; Struct operator++() const; Struct operator--() const; Struct operator++(int) const; // not defined on purpose Struct operator--(int) const; // not defined on purpose // Binary operators Struct operator+ (const Struct& other) const; Struct operator- (const Struct& other) const; Struct operator* (const Struct& other) const; Struct operator/ (const Struct& other) const; Struct operator% (const Struct& other) const; Struct operator^ (const Struct& other) const; Struct operator& (const Struct& other) const; Struct operator| (const Struct& other) const; Struct operator>> (const Struct& other) const; Struct operator<< (const Struct& other) const; Struct operator&& (const Struct& other) const; Struct operator|| (const Struct& other) const; Struct operator->*(const Struct& other) const; Struct operator, (const Struct& other) const; // assignment void operator= (const Struct& other); void operator+= (int j); void operator-= (int j); void operator*= (int j); void operator/= (int j); void operator%= (int j); void operator^= (int j); void operator&= (int j); void operator|= (int j); void operator>>=(int j); void operator<<=(int j); // special int operator()(int j) const; int operator[](int j) const; // comparison bool operator==(int j) const; bool operator!=(const Struct& other) const; // not defined on purpose bool operator>=(const Struct& other) const; // not defined on purpose bool operator<=(const Struct& other) const; // not defined on purpose bool operator> (const Struct& other) const; bool operator< (const Struct& other) const; // conversion operator int() const; // allocation static void* operator new(unsigned long); static void* operator new[](unsigned long); static void operator delete(void*); static void operator delete[](void*); }; struct Stream {}; Stream& operator<<(Stream& stream, const Struct& s); } ), Cpp( q{ Struct::Struct(int i):i{i} {} Struct Struct::operator+ () const { return { +i }; } Struct Struct::operator- () const { return { -i }; } Struct Struct::operator* () const { return { i * 3 }; } Struct Struct::operator& () const { return { i / 4 }; } Struct Struct::operator->() const { return { i / 3 }; } Struct Struct::operator~ () const { return { i + 9 }; } bool Struct::operator! () const { return i != 7; } Struct Struct::operator++() const { return { i + 1 }; } Struct Struct::operator--() const { return { i - 1 }; } Struct Struct::operator+ (const Struct& other) const { return { i + other.i }; } Struct Struct::operator- (const Struct& other) const { return { i - other.i }; } Struct Struct::operator* (const Struct& other) const { return { i * other.i }; } Struct Struct::operator/ (const Struct& other) const { return { i / other.i }; } Struct Struct::operator% (const Struct& other) const { return { i % other.i }; } Struct Struct::operator^ (const Struct& other) const { return { i + other.i + 2 }; } Struct Struct::operator& (const Struct& other) const { return { i * other.i + 1 }; } Struct Struct::operator| (const Struct& other) const { return { i + other.i + 1 }; } Struct Struct::operator<< (const Struct& other) const { return { i + other.i }; } Struct Struct::operator>> (const Struct& other) const { return { i - other.i }; } Struct Struct::operator&& (const Struct& other) const { return { i && other.i }; } Struct Struct::operator|| (const Struct& other) const { return { i || other.i }; } Struct Struct::operator->*(const Struct& other) const { return { i - other.i }; } Struct Struct::operator, (const Struct& other) const { return { i - other.i - 1 }; } void Struct::operator= (const Struct& other) { i = other.i + 10; }; void Struct::operator+=(int j) { i += j; }; void Struct::operator-=(int j) { i -= j; }; void Struct::operator*=(int j) { i *= j; }; void Struct::operator/=(int j) { i /= j; }; void Struct::operator%=(int j) { i %= j; }; void Struct::operator^=(int j) { i ^= j; }; void Struct::operator&=(int j) { i &= j; }; void Struct::operator|=(int j) { i |= j; }; void Struct::operator>>=(int j) { i >>= j; }; void Struct::operator<<=(int j) { i <<= j; }; int Struct::operator()(int j) const { return i * j; } int Struct::operator[](int j) const { return i / j; } bool Struct::operator==(int j) const { return i == j; } bool Struct::operator<(const Struct& other) const { return i < other.i; } bool Struct::operator>(const Struct& other) const { return i > other.i; } Struct::operator int() const { return i + 1; } void* Struct::operator new(unsigned long count) { return new int{static_cast<int>(count)}; } void* Struct::operator new[](unsigned long count) { return new int{static_cast<int>(count + 1)}; } void Struct::operator delete(void*) {} void Struct::operator delete[](void*) {} Stream& operator<<(Stream& stream, const Struct& s) { return stream; } } ), D( q{ import std.conv: text; // unary assert(+Struct(-4) == -4); assert(-Struct(4) == -4); assert(-Struct(-5) == 5); assert(*Struct(2) == 6); assert(Struct(8).opCppAmpersand == 2); assert(Struct(9).opCppArrow == 3); assert(~Struct(7) == 16); assert(Struct(9).opCppBang); assert(++Struct(2) == 3); assert(--Struct(5) == 4); // binary auto s0 = const Struct(0); auto s2 = const Struct(2); auto s3 = const Struct(3); assert(s2 + s3 == 5); assert(s3 - s2 == 1); assert(Struct(5) - s2 == 3); assert(s2 * s3 == 6); assert(Struct(11) / s3 == 3) ; assert(Struct(5) % s2 == 1); assert(Struct(6) % s2 == 0); assert((Struct(4) ^ s2) == 8); assert((Struct(4) & s2) == 9); assert((Struct(4) | s2) == 7); assert(Struct(7) >> s2 == 5); assert(Struct(3) << s3 == 6); assert(Struct(5).opCppArrowStar(s2) == 3); assert(Struct(5).opCppComma(s2) == 2); // assignment { auto s = Struct(5); s = s2; assert(s == 12); } { auto s = Struct(2); s += 3; assert(s == 5); s -= 2; assert(s == 3); s *= 2; assert(s == 6); s /= 3; assert(s == 2); s = s3; s %= 2; assert(s == 1); s ^= 1; assert(s == 0); s &= 1; assert(s == 0); s |= 1; assert(s == 1); s.i = 8; s >>= 2; assert(s == 2); s <<= 1; assert(s == 4); } // special assert(Struct(2)(3) == 6); assert(Struct(7)[2] == 3); // comparison (== already done everywhere above) assert(Struct(3) < Struct(5)); assert(Struct(5) > Struct(3)); assert(Struct(3) <= Struct(5)); assert(Struct(3) <= Struct(3)); assert(Struct(5) > Struct(3)); assert(Struct(5) >= Struct(5)); // conversion assert(cast(int) Struct(7) == 8); assert( cast(bool) Struct(7)); assert(!cast(bool) Struct(3)); // allocation assert(*(cast(int*) Struct.opCppNew(5)) == 5); assert(*(cast(int*) Struct.opCppNewArray(5)) == 6); Struct.opCppDelete(null); Struct.opCppDeleteArray(null); // free function Stream stream; stream.opCppLShift(s2); } ), ); } @Tags("run") @("templates") @safe unittest { shouldRun( Cpp( q{ template<typename T> class vector { T _values[10]; int _numValues = 0; public: void push_back(T value) { _values[_numValues++] = value; } int numValues() { return _numValues; } T value(int i) { return _values[i]; } }; } ), Cpp( ` #if __clang__ [[clang::optnone]] #elif __GNUC__ __attribute__((optimize("O0"))) #endif __attribute((used, noinline)) static void instantiate() { vector<int> v; v.push_back(42); v.value(0); v.numValues(); } ` ), D( q{ vector!int v; assert(v.numValues == 0); v.push_back(4); assert(v.numValues == 1); assert(v.value(0) == 4); v.push_back(2); assert(v.numValues == 2); assert(v.value(0) == 4); assert(v.value(1) == 2); foreach(i; 2 .. v.numValues) assert(v.value(i) == 0); } ), ); } @Tags("run") @("namespaces") @safe unittest { shouldRun( Cpp( q{ namespace ns0 { int foo(); int bar(); namespace ns1 { int baz(); } } namespace other { int quux(); } // can reopen namespace namespace ns0 { int toto(); } } ), Cpp( q{ namespace ns0 { int foo() { return 1; } int bar() { return 2; } namespace ns1 { int baz() { return 3; } } } namespace other { int quux() { return 4; } } // can reopen namespace namespace ns0 { int toto() { return 5; } } } ), D( q{ assert(foo == 1); assert(bar == 2); assert(baz == 3); assert(quux == 4); assert(toto == 5); } ), ); } @HiddenTest("Passes with gcc but fails with clang due to destructor mangling") @Tags("run") @("std.allocator") @safe unittest { shouldRun( Cpp( q{ namespace impl_cpp { template <typename T> class new_allocator { public: new_allocator() {} ~new_allocator() {} T* allocate(int size, const void* = static_cast<const void*>(0)) { return static_cast<T*>(::operator new(size * sizeof(T))); } void deallocate(T* ptr, int size) { ::operator delete(ptr); } }; } namespace std { template <typename T> using allocator_base = impl_cpp::new_allocator<T>; } namespace std { template <typename T> class allocator: public allocator_base<T> { public: allocator() {} ~allocator() {} }; } } ), Cpp( ` #if __clang__ [[clang::optnone]] #elif __GNUC__ __attribute__((optimize("O0"))) #endif __attribute((used, noinline)) static void dummy() { { std::allocator<int> _; (void) std::allocator<int>(_); } } ` ), D( q{ // import std.conv: text; allocator!int intAllocator = void; // below can't work until `alias this` is implemented // enum numInts = 1; // int* i = intAllocator.allocate(numInts); // intAllocator.construct(i, 42); // assert(*i == 42, text("i was actually ", *i)); // intAllocator.deallocate(i, numInts); } ), ); }
D
/* * This file was automatically generated by sel-utils and * released under the MIT License. * * License: https://github.com/sel-project/sel-utils/blob/master/LICENSE * Repository: https://github.com/sel-project/sel-utils * Generated from https://github.com/sel-project/sel-utils/blob/master/xml/protocol/pocket113.xml */ module sul.protocol.pocket113.play; import std.bitmanip : write, peek; static import std.conv; import std.system : Endian; import std.typetuple : TypeTuple; import std.typecons : Tuple; import std.uuid : UUID; import sul.utils.buffer; import sul.utils.var; static import sul.protocol.pocket113.types; static if(__traits(compiles, { import sul.metadata.pocket113; })) import sul.metadata.pocket113; alias Packets = TypeTuple!(Login, PlayStatus, ServerToClientHandshake, ClientToServerHandshake, Disconnect, ResourcePacksInfo, ResourcePacksStackPacket, ResourcePackClientResponse, Text, SetTime, StartGame, AddPlayer, AddEntity, RemoveEntity, AddItemEntity, AddHangingEntity, TakeItemEntity, MoveEntity, MovePlayer, RiderJump, RemoveBlock, UpdateBlock, AddPainting, Explode, LevelSoundEvent, LevelEvent, BlockEvent, EntityEvent, MobEffect, UpdateAttributes, MobEquipment, MobArmorEquipment, Interact, BlockPickRequest, UseItem, PlayerAction, EntityFall, HurtArmor, SetEntityData, SetEntityMotion, SetEntityLink, SetHealth, SetSpawnPosition, Animate, Respawn, DropItem, InventoryAction, ContainerOpen, ContainerClose, ContainerSetSlot, ContainerSetData, ContainerSetContent, CraftingData, CraftingEvent, AdventureSettings, BlockEntityData, PlayerInput, FullChunkData, SetCommandsEnabled, SetDifficulty, ChangeDimension, SetPlayerGameType, PlayerList, SimpleEvent, TelemetryEvent, SpawnExperienceOrb, ClientboundMapItemData, MapInfoRequest, RequestChunkRadius, ChunkRadiusUpdated, ItemFrameDropItem, ReplaceItemInSlot, GameRulesChanged, Camera, AddItem, BossEvent, ShowCredits, AvailableCommands, CommandStep, CommandBlockUpdate, UpdateTrade, UpdateEquip, ResourcePackDataInfo, ResourcePackChunkData, ResourcePackChunkRequest, Transfer, PlaySound, StopSound, SetTitle, AddBehaviorTree, StructureBlockUpdate, ShowStoreOffer, PurchaseReceipt); class Login : Buffer { public enum ubyte ID = 1; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; // version public enum ubyte VANILLA = 0; public enum ubyte EDUCATION = 1; public enum string[] FIELDS = ["protocol", "vers", "body_"]; public uint protocol = 113; public ubyte vers; public sul.protocol.pocket113.types.LoginBody body_; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(uint protocol, ubyte vers=ubyte.init, sul.protocol.pocket113.types.LoginBody body_=sul.protocol.pocket113.types.LoginBody.init) { this.protocol = protocol; this.vers = vers; this.body_ = body_; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUint(protocol); writeBigEndianUbyte(vers); body_.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } protocol=readBigEndianUint(); vers=readBigEndianUbyte(); body_.decode(bufferInstance); } public static pure nothrow @safe Login fromBuffer(bool readId=true)(ubyte[] buffer) { Login ret = new Login(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "Login(protocol: " ~ std.conv.to!string(this.protocol) ~ ", vers: " ~ std.conv.to!string(this.vers) ~ ", body_: " ~ std.conv.to!string(this.body_) ~ ")"; } } class PlayStatus : Buffer { public enum ubyte ID = 2; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // status public enum uint OK = 0; public enum uint OUTDATED_CLIENT = 1; public enum uint OUTDATED_SERVER = 2; public enum uint SPAWNED = 3; public enum uint INVALID_TENANT = 4; public enum uint EDITION_MISMATCH_EDU_TO_VANILLA = 5; public enum uint EDITION_MISMATCH_VANILLA_TO_EDU = 6; public enum string[] FIELDS = ["status"]; public uint status; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(uint status) { this.status = status; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUint(status); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } status=readBigEndianUint(); } public static pure nothrow @safe PlayStatus fromBuffer(bool readId=true)(ubyte[] buffer) { PlayStatus ret = new PlayStatus(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "PlayStatus(status: " ~ std.conv.to!string(this.status) ~ ")"; } } class ServerToClientHandshake : Buffer { public enum ubyte ID = 3; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["serverPublicKey", "token"]; public string serverPublicKey; public ubyte[] token; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string serverPublicKey, ubyte[] token=(ubyte[]).init) { this.serverPublicKey = serverPublicKey; this.token = token; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(cast(uint)serverPublicKey.length)); writeString(serverPublicKey); writeBytes(varuint.encode(cast(uint)token.length)); writeBytes(token); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } uint cvdvuvbl=varuint.decode(_buffer, &_index); serverPublicKey=readString(cvdvuvbl); token.length=varuint.decode(_buffer, &_index); if(_buffer.length>=_index+token.length){ token=_buffer[_index.._index+token.length].dup; _index+=token.length; } } public static pure nothrow @safe ServerToClientHandshake fromBuffer(bool readId=true)(ubyte[] buffer) { ServerToClientHandshake ret = new ServerToClientHandshake(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ServerToClientHandshake(serverPublicKey: " ~ std.conv.to!string(this.serverPublicKey) ~ ", token: " ~ std.conv.to!string(this.token) ~ ")"; } } class ClientToServerHandshake : Buffer { public enum ubyte ID = 4; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = []; public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } } public static pure nothrow @safe ClientToServerHandshake fromBuffer(bool readId=true)(ubyte[] buffer) { ClientToServerHandshake ret = new ClientToServerHandshake(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ClientToServerHandshake()"; } } class Disconnect : Buffer { public enum ubyte ID = 5; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["hideDisconnectionScreen", "message"]; public bool hideDisconnectionScreen; public string message; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(bool hideDisconnectionScreen, string message=string.init) { this.hideDisconnectionScreen = hideDisconnectionScreen; this.message = message; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianBool(hideDisconnectionScreen); if(hideDisconnectionScreen==false){ writeBytes(varuint.encode(cast(uint)message.length)); writeString(message); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } hideDisconnectionScreen=readBigEndianBool(); if(hideDisconnectionScreen==false){ uint bvcfz=varuint.decode(_buffer, &_index); message=readString(bvcfz); } } public static pure nothrow @safe Disconnect fromBuffer(bool readId=true)(ubyte[] buffer) { Disconnect ret = new Disconnect(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "Disconnect(hideDisconnectionScreen: " ~ std.conv.to!string(this.hideDisconnectionScreen) ~ ", message: " ~ std.conv.to!string(this.message) ~ ")"; } } class ResourcePacksInfo : Buffer { public enum ubyte ID = 6; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["mustAccept", "behaviourPacks", "resourcePacks"]; public bool mustAccept; public sul.protocol.pocket113.types.PackWithSize[] behaviourPacks; public sul.protocol.pocket113.types.PackWithSize[] resourcePacks; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(bool mustAccept, sul.protocol.pocket113.types.PackWithSize[] behaviourPacks=(sul.protocol.pocket113.types.PackWithSize[]).init, sul.protocol.pocket113.types.PackWithSize[] resourcePacks=(sul.protocol.pocket113.types.PackWithSize[]).init) { this.mustAccept = mustAccept; this.behaviourPacks = behaviourPacks; this.resourcePacks = resourcePacks; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianBool(mustAccept); writeLittleEndianUshort(cast(ushort)behaviourPacks.length); foreach(yvyzbvuf;behaviourPacks){ yvyzbvuf.encode(bufferInstance); } writeLittleEndianUshort(cast(ushort)resourcePacks.length); foreach(cvbvyvyn;resourcePacks){ cvbvyvyn.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } mustAccept=readBigEndianBool(); behaviourPacks.length=readLittleEndianUshort(); foreach(ref yvyzbvuf;behaviourPacks){ yvyzbvuf.decode(bufferInstance); } resourcePacks.length=readLittleEndianUshort(); foreach(ref cvbvyvyn;resourcePacks){ cvbvyvyn.decode(bufferInstance); } } public static pure nothrow @safe ResourcePacksInfo fromBuffer(bool readId=true)(ubyte[] buffer) { ResourcePacksInfo ret = new ResourcePacksInfo(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ResourcePacksInfo(mustAccept: " ~ std.conv.to!string(this.mustAccept) ~ ", behaviourPacks: " ~ std.conv.to!string(this.behaviourPacks) ~ ", resourcePacks: " ~ std.conv.to!string(this.resourcePacks) ~ ")"; } } class ResourcePacksStackPacket : Buffer { public enum ubyte ID = 7; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["mustAccept", "behaviourPacks", "resourcePacks"]; public bool mustAccept; public sul.protocol.pocket113.types.Pack[] behaviourPacks; public sul.protocol.pocket113.types.Pack[] resourcePacks; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(bool mustAccept, sul.protocol.pocket113.types.Pack[] behaviourPacks=(sul.protocol.pocket113.types.Pack[]).init, sul.protocol.pocket113.types.Pack[] resourcePacks=(sul.protocol.pocket113.types.Pack[]).init) { this.mustAccept = mustAccept; this.behaviourPacks = behaviourPacks; this.resourcePacks = resourcePacks; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianBool(mustAccept); writeBytes(varuint.encode(cast(uint)behaviourPacks.length)); foreach(yvyzbvuf;behaviourPacks){ yvyzbvuf.encode(bufferInstance); } writeBytes(varuint.encode(cast(uint)resourcePacks.length)); foreach(cvbvyvyn;resourcePacks){ cvbvyvyn.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } mustAccept=readBigEndianBool(); behaviourPacks.length=varuint.decode(_buffer, &_index); foreach(ref yvyzbvuf;behaviourPacks){ yvyzbvuf.decode(bufferInstance); } resourcePacks.length=varuint.decode(_buffer, &_index); foreach(ref cvbvyvyn;resourcePacks){ cvbvyvyn.decode(bufferInstance); } } public static pure nothrow @safe ResourcePacksStackPacket fromBuffer(bool readId=true)(ubyte[] buffer) { ResourcePacksStackPacket ret = new ResourcePacksStackPacket(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ResourcePacksStackPacket(mustAccept: " ~ std.conv.to!string(this.mustAccept) ~ ", behaviourPacks: " ~ std.conv.to!string(this.behaviourPacks) ~ ", resourcePacks: " ~ std.conv.to!string(this.resourcePacks) ~ ")"; } } class ResourcePackClientResponse : Buffer { public enum ubyte ID = 8; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; // status public enum ubyte REFUSED = 1; public enum ubyte SEND_PACKS = 2; public enum ubyte HAVE_ALL_PACKS = 3; public enum ubyte COMPLETED = 4; public enum string[] FIELDS = ["status", "packIds"]; public ubyte status; public string[] packIds; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte status, string[] packIds=(string[]).init) { this.status = status; this.packIds = packIds; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(status); writeLittleEndianUshort(cast(ushort)packIds.length); foreach(cfalc;packIds){ writeBytes(varuint.encode(cast(uint)cfalc.length)); writeString(cfalc); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } status=readBigEndianUbyte(); packIds.length=readLittleEndianUshort(); foreach(ref cfalc;packIds){ uint yzbm=varuint.decode(_buffer, &_index); cfalc=readString(yzbm); } } public static pure nothrow @safe ResourcePackClientResponse fromBuffer(bool readId=true)(ubyte[] buffer) { ResourcePackClientResponse ret = new ResourcePackClientResponse(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ResourcePackClientResponse(status: " ~ std.conv.to!string(this.status) ~ ", packIds: " ~ std.conv.to!string(this.packIds) ~ ")"; } } class Text : Buffer { public enum ubyte ID = 9; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["type"]; public ubyte type; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte type) { this.type = type; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(type); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } type=readBigEndianUbyte(); } public static pure nothrow @safe Text fromBuffer(bool readId=true)(ubyte[] buffer) { Text ret = new Text(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "Text(type: " ~ std.conv.to!string(this.type) ~ ")"; } alias _encode = encode; enum string variantField = "type"; alias Variants = TypeTuple!(Raw, Chat, Translation, Popup, Tip, System, Whisper, Announcement); public class Raw { public enum typeof(type) TYPE = 0; public enum string[] FIELDS = ["message"]; public string message; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string message) { this.message = message; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { type = 0; _encode!writeId(); writeBytes(varuint.encode(cast(uint)message.length)); writeString(message); return _buffer; } public pure nothrow @safe void decode() { uint bvcfz=varuint.decode(_buffer, &_index); message=readString(bvcfz); } public override string toString() { return "Text.Raw(message: " ~ std.conv.to!string(this.message) ~ ")"; } } public class Chat { public enum typeof(type) TYPE = 1; public enum string[] FIELDS = ["sender", "message"]; public string sender; public string message; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string sender, string message=string.init) { this.sender = sender; this.message = message; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { type = 1; _encode!writeId(); writeBytes(varuint.encode(cast(uint)sender.length)); writeString(sender); writeBytes(varuint.encode(cast(uint)message.length)); writeString(message); return _buffer; } public pure nothrow @safe void decode() { uint cvzv=varuint.decode(_buffer, &_index); sender=readString(cvzv); uint bvcfz=varuint.decode(_buffer, &_index); message=readString(bvcfz); } public override string toString() { return "Text.Chat(sender: " ~ std.conv.to!string(this.sender) ~ ", message: " ~ std.conv.to!string(this.message) ~ ")"; } } public class Translation { public enum typeof(type) TYPE = 2; public enum string[] FIELDS = ["message", "parameters"]; public string message; public string[] parameters; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string message, string[] parameters=(string[]).init) { this.message = message; this.parameters = parameters; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { type = 2; _encode!writeId(); writeBytes(varuint.encode(cast(uint)message.length)); writeString(message); writeBytes(varuint.encode(cast(uint)parameters.length)); foreach(cfy1dvc;parameters){ writeBytes(varuint.encode(cast(uint)cfy1dvc.length)); writeString(cfy1dvc); } return _buffer; } public pure nothrow @safe void decode() { uint bvcfz=varuint.decode(_buffer, &_index); message=readString(bvcfz); parameters.length=varuint.decode(_buffer, &_index); foreach(ref cfy1dvc;parameters){ uint yzmry=varuint.decode(_buffer, &_index); cfy1dvc=readString(yzmry); } } public override string toString() { return "Text.Translation(message: " ~ std.conv.to!string(this.message) ~ ", parameters: " ~ std.conv.to!string(this.parameters) ~ ")"; } } public class Popup { public enum typeof(type) TYPE = 3; public enum string[] FIELDS = ["title", "subtitle"]; public string title; public string subtitle; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string title, string subtitle=string.init) { this.title = title; this.subtitle = subtitle; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { type = 3; _encode!writeId(); writeBytes(varuint.encode(cast(uint)title.length)); writeString(title); writeBytes(varuint.encode(cast(uint)subtitle.length)); writeString(subtitle); return _buffer; } public pure nothrow @safe void decode() { uint dlbu=varuint.decode(_buffer, &_index); title=readString(dlbu); uint cvdlbu=varuint.decode(_buffer, &_index); subtitle=readString(cvdlbu); } public override string toString() { return "Text.Popup(title: " ~ std.conv.to!string(this.title) ~ ", subtitle: " ~ std.conv.to!string(this.subtitle) ~ ")"; } } public class Tip { public enum typeof(type) TYPE = 4; public enum string[] FIELDS = ["message"]; public string message; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string message) { this.message = message; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { type = 4; _encode!writeId(); writeBytes(varuint.encode(cast(uint)message.length)); writeString(message); return _buffer; } public pure nothrow @safe void decode() { uint bvcfz=varuint.decode(_buffer, &_index); message=readString(bvcfz); } public override string toString() { return "Text.Tip(message: " ~ std.conv.to!string(this.message) ~ ")"; } } public class System { public enum typeof(type) TYPE = 5; public enum string[] FIELDS = ["message"]; public string message; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string message) { this.message = message; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { type = 5; _encode!writeId(); writeBytes(varuint.encode(cast(uint)message.length)); writeString(message); return _buffer; } public pure nothrow @safe void decode() { uint bvcfz=varuint.decode(_buffer, &_index); message=readString(bvcfz); } public override string toString() { return "Text.System(message: " ~ std.conv.to!string(this.message) ~ ")"; } } public class Whisper { public enum typeof(type) TYPE = 6; public enum string[] FIELDS = ["sender", "message"]; public string sender; public string message; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string sender, string message=string.init) { this.sender = sender; this.message = message; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { type = 6; _encode!writeId(); writeBytes(varuint.encode(cast(uint)sender.length)); writeString(sender); writeBytes(varuint.encode(cast(uint)message.length)); writeString(message); return _buffer; } public pure nothrow @safe void decode() { uint cvzv=varuint.decode(_buffer, &_index); sender=readString(cvzv); uint bvcfz=varuint.decode(_buffer, &_index); message=readString(bvcfz); } public override string toString() { return "Text.Whisper(sender: " ~ std.conv.to!string(this.sender) ~ ", message: " ~ std.conv.to!string(this.message) ~ ")"; } } public class Announcement { public enum typeof(type) TYPE = 7; public enum string[] FIELDS = ["announcer", "message"]; public string announcer; public string message; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string announcer, string message=string.init) { this.announcer = announcer; this.message = message; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { type = 7; _encode!writeId(); writeBytes(varuint.encode(cast(uint)announcer.length)); writeString(announcer); writeBytes(varuint.encode(cast(uint)message.length)); writeString(message); return _buffer; } public pure nothrow @safe void decode() { uint y5bvyv=varuint.decode(_buffer, &_index); announcer=readString(y5bvyv); uint bvcfz=varuint.decode(_buffer, &_index); message=readString(bvcfz); } public override string toString() { return "Text.Announcement(announcer: " ~ std.conv.to!string(this.announcer) ~ ", message: " ~ std.conv.to!string(this.message) ~ ")"; } } } class SetTime : Buffer { public enum ubyte ID = 10; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["time"]; public int time; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int time) { this.time = time; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(time)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } time=varint.decode(_buffer, &_index); } public static pure nothrow @safe SetTime fromBuffer(bool readId=true)(ubyte[] buffer) { SetTime ret = new SetTime(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetTime(time: " ~ std.conv.to!string(this.time) ~ ")"; } } class StartGame : Buffer { public enum ubyte ID = 11; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // gamemode public enum int SURVIVAL = 0; public enum int CREATIVE = 1; public enum int ADVENTURE = 2; // dimension public enum int OVERWORLD = 0; public enum int NETHER = 1; public enum int END = 2; // generator public enum int OLD = 0; public enum int INFINITE = 1; public enum int FLAT = 2; // difficulty public enum int PEACEFUL = 0; public enum int EASY = 1; public enum int NORMAL = 2; public enum int HARD = 3; // version public enum ubyte VANILLA = 0; public enum ubyte EDUCATION = 1; public enum string[] FIELDS = ["entityId", "runtimeId", "gamemode", "position", "yaw", "pitch", "seed", "dimension", "generator", "worldGamemode", "difficulty", "spawnPosition", "loadedInCreative", "time", "vers", "rainLevel", "lightningLevel", "commandsEnabled", "textureRequired", "gameRules", "levelId", "worldName", "premiumWorldTemplate", "unknown23", "worldTicks"]; public long entityId; public long runtimeId; public int gamemode; public Tuple!(float, "x", float, "y", float, "z") position; public float yaw; public float pitch; public int seed; public int dimension = 0; public int generator = 1; public int worldGamemode; public int difficulty; public Tuple!(int, "x", int, "y", int, "z") spawnPosition; public bool loadedInCreative; public int time; public ubyte vers; public float rainLevel; public float lightningLevel; public bool commandsEnabled; public bool textureRequired; public sul.protocol.pocket113.types.Rule[] gameRules; public string levelId; public string worldName; public string premiumWorldTemplate; public bool unknown23; public ulong worldTicks; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, long runtimeId=long.init, int gamemode=int.init, Tuple!(float, "x", float, "y", float, "z") position=Tuple!(float, "x", float, "y", float, "z").init, float yaw=float.init, float pitch=float.init, int seed=int.init, int dimension=0, int generator=1, int worldGamemode=int.init, int difficulty=int.init, Tuple!(int, "x", int, "y", int, "z") spawnPosition=Tuple!(int, "x", int, "y", int, "z").init, bool loadedInCreative=bool.init, int time=int.init, ubyte vers=ubyte.init, float rainLevel=float.init, float lightningLevel=float.init, bool commandsEnabled=bool.init, bool textureRequired=bool.init, sul.protocol.pocket113.types.Rule[] gameRules=(sul.protocol.pocket113.types.Rule[]).init, string levelId=string.init, string worldName=string.init, string premiumWorldTemplate=string.init, bool unknown23=bool.init, ulong worldTicks=ulong.init) { this.entityId = entityId; this.runtimeId = runtimeId; this.gamemode = gamemode; this.position = position; this.yaw = yaw; this.pitch = pitch; this.seed = seed; this.dimension = dimension; this.generator = generator; this.worldGamemode = worldGamemode; this.difficulty = difficulty; this.spawnPosition = spawnPosition; this.loadedInCreative = loadedInCreative; this.time = time; this.vers = vers; this.rainLevel = rainLevel; this.lightningLevel = lightningLevel; this.commandsEnabled = commandsEnabled; this.textureRequired = textureRequired; this.gameRules = gameRules; this.levelId = levelId; this.worldName = worldName; this.premiumWorldTemplate = premiumWorldTemplate; this.unknown23 = unknown23; this.worldTicks = worldTicks; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBytes(varlong.encode(runtimeId)); writeBytes(varint.encode(gamemode)); writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeLittleEndianFloat(yaw); writeLittleEndianFloat(pitch); writeBytes(varint.encode(seed)); writeBytes(varint.encode(dimension)); writeBytes(varint.encode(generator)); writeBytes(varint.encode(worldGamemode)); writeBytes(varint.encode(difficulty)); writeBytes(varint.encode(spawnPosition.x)); writeBytes(varint.encode(spawnPosition.y)); writeBytes(varint.encode(spawnPosition.z)); writeBigEndianBool(loadedInCreative); writeBytes(varint.encode(time)); writeBigEndianUbyte(vers); writeLittleEndianFloat(rainLevel); writeLittleEndianFloat(lightningLevel); writeBigEndianBool(commandsEnabled); writeBigEndianBool(textureRequired); writeBytes(varuint.encode(cast(uint)gameRules.length)); foreach(zfzjbv;gameRules){ zfzjbv.encode(bufferInstance); } writeBytes(varuint.encode(cast(uint)levelId.length)); writeString(levelId); writeBytes(varuint.encode(cast(uint)worldName.length)); writeString(worldName); writeBytes(varuint.encode(cast(uint)premiumWorldTemplate.length)); writeString(premiumWorldTemplate); writeBigEndianBool(unknown23); writeLittleEndianUlong(worldTicks); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); runtimeId=varlong.decode(_buffer, &_index); gamemode=varint.decode(_buffer, &_index); position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); yaw=readLittleEndianFloat(); pitch=readLittleEndianFloat(); seed=varint.decode(_buffer, &_index); dimension=varint.decode(_buffer, &_index); generator=varint.decode(_buffer, &_index); worldGamemode=varint.decode(_buffer, &_index); difficulty=varint.decode(_buffer, &_index); spawnPosition.x=varint.decode(_buffer, &_index); spawnPosition.y=varint.decode(_buffer, &_index); spawnPosition.z=varint.decode(_buffer, &_index); loadedInCreative=readBigEndianBool(); time=varint.decode(_buffer, &_index); vers=readBigEndianUbyte(); rainLevel=readLittleEndianFloat(); lightningLevel=readLittleEndianFloat(); commandsEnabled=readBigEndianBool(); textureRequired=readBigEndianBool(); gameRules.length=varuint.decode(_buffer, &_index); foreach(ref zfzjbv;gameRules){ zfzjbv.decode(bufferInstance); } uint bvzxz=varuint.decode(_buffer, &_index); levelId=readString(bvzxz); uint d9bry1=varuint.decode(_buffer, &_index); worldName=readString(d9bry1); uint cjblbdcx=varuint.decode(_buffer, &_index); premiumWorldTemplate=readString(cjblbdcx); unknown23=readBigEndianBool(); worldTicks=readLittleEndianUlong(); } public static pure nothrow @safe StartGame fromBuffer(bool readId=true)(ubyte[] buffer) { StartGame ret = new StartGame(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "StartGame(entityId: " ~ std.conv.to!string(this.entityId) ~ ", runtimeId: " ~ std.conv.to!string(this.runtimeId) ~ ", gamemode: " ~ std.conv.to!string(this.gamemode) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", yaw: " ~ std.conv.to!string(this.yaw) ~ ", pitch: " ~ std.conv.to!string(this.pitch) ~ ", seed: " ~ std.conv.to!string(this.seed) ~ ", dimension: " ~ std.conv.to!string(this.dimension) ~ ", generator: " ~ std.conv.to!string(this.generator) ~ ", worldGamemode: " ~ std.conv.to!string(this.worldGamemode) ~ ", difficulty: " ~ std.conv.to!string(this.difficulty) ~ ", spawnPosition: " ~ std.conv.to!string(this.spawnPosition) ~ ", loadedInCreative: " ~ std.conv.to!string(this.loadedInCreative) ~ ", time: " ~ std.conv.to!string(this.time) ~ ", vers: " ~ std.conv.to!string(this.vers) ~ ", rainLevel: " ~ std.conv.to!string(this.rainLevel) ~ ", lightningLevel: " ~ std.conv.to!string(this.lightningLevel) ~ ", commandsEnabled: " ~ std.conv.to!string(this.commandsEnabled) ~ ", textureRequired: " ~ std.conv.to!string(this.textureRequired) ~ ", gameRules: " ~ std.conv.to!string(this.gameRules) ~ ", levelId: " ~ std.conv.to!string(this.levelId) ~ ", worldName: " ~ std.conv.to!string(this.worldName) ~ ", premiumWorldTemplate: " ~ std.conv.to!string(this.premiumWorldTemplate) ~ ", unknown23: " ~ std.conv.to!string(this.unknown23) ~ ", worldTicks: " ~ std.conv.to!string(this.worldTicks) ~ ")"; } } class AddPlayer : Buffer { public enum ubyte ID = 12; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["uuid", "username", "entityId", "runtimeId", "position", "motion", "pitch", "headYaw", "yaw", "heldItem", "metadata"]; public sul.protocol.pocket113.types.McpeUuid uuid; public string username; public long entityId; public long runtimeId; public Tuple!(float, "x", float, "y", float, "z") position; public Tuple!(float, "x", float, "y", float, "z") motion; public float pitch; public float headYaw; public float yaw; public sul.protocol.pocket113.types.Slot heldItem; public Metadata metadata; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.McpeUuid uuid, string username=string.init, long entityId=long.init, long runtimeId=long.init, Tuple!(float, "x", float, "y", float, "z") position=Tuple!(float, "x", float, "y", float, "z").init, Tuple!(float, "x", float, "y", float, "z") motion=Tuple!(float, "x", float, "y", float, "z").init, float pitch=float.init, float headYaw=float.init, float yaw=float.init, sul.protocol.pocket113.types.Slot heldItem=sul.protocol.pocket113.types.Slot.init, Metadata metadata=Metadata.init) { this.uuid = uuid; this.username = username; this.entityId = entityId; this.runtimeId = runtimeId; this.position = position; this.motion = motion; this.pitch = pitch; this.headYaw = headYaw; this.yaw = yaw; this.heldItem = heldItem; this.metadata = metadata; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } uuid.encode(bufferInstance); writeBytes(varuint.encode(cast(uint)username.length)); writeString(username); writeBytes(varlong.encode(entityId)); writeBytes(varlong.encode(runtimeId)); writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeLittleEndianFloat(motion.x); writeLittleEndianFloat(motion.y); writeLittleEndianFloat(motion.z); writeLittleEndianFloat(pitch); writeLittleEndianFloat(headYaw); writeLittleEndianFloat(yaw); heldItem.encode(bufferInstance); metadata.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } uuid.decode(bufferInstance); uint dnc5bu=varuint.decode(_buffer, &_index); username=readString(dnc5bu); entityId=varlong.decode(_buffer, &_index); runtimeId=varlong.decode(_buffer, &_index); position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); motion.x=readLittleEndianFloat(); motion.y=readLittleEndianFloat(); motion.z=readLittleEndianFloat(); pitch=readLittleEndianFloat(); headYaw=readLittleEndianFloat(); yaw=readLittleEndianFloat(); heldItem.decode(bufferInstance); metadata=Metadata.decode(bufferInstance); } public static pure nothrow @safe AddPlayer fromBuffer(bool readId=true)(ubyte[] buffer) { AddPlayer ret = new AddPlayer(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "AddPlayer(uuid: " ~ std.conv.to!string(this.uuid) ~ ", username: " ~ std.conv.to!string(this.username) ~ ", entityId: " ~ std.conv.to!string(this.entityId) ~ ", runtimeId: " ~ std.conv.to!string(this.runtimeId) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", motion: " ~ std.conv.to!string(this.motion) ~ ", pitch: " ~ std.conv.to!string(this.pitch) ~ ", headYaw: " ~ std.conv.to!string(this.headYaw) ~ ", yaw: " ~ std.conv.to!string(this.yaw) ~ ", heldItem: " ~ std.conv.to!string(this.heldItem) ~ ", metadata: " ~ std.conv.to!string(this.metadata) ~ ")"; } } class AddEntity : Buffer { public enum ubyte ID = 13; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["entityId", "runtimeId", "type", "position", "motion", "pitch", "yaw", "attributes", "metadata", "links"]; public long entityId; public long runtimeId; public uint type; public Tuple!(float, "x", float, "y", float, "z") position; public Tuple!(float, "x", float, "y", float, "z") motion; public float pitch; public float yaw; public sul.protocol.pocket113.types.Attribute[] attributes; public Metadata metadata; public sul.protocol.pocket113.types.Link[] links; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, long runtimeId=long.init, uint type=uint.init, Tuple!(float, "x", float, "y", float, "z") position=Tuple!(float, "x", float, "y", float, "z").init, Tuple!(float, "x", float, "y", float, "z") motion=Tuple!(float, "x", float, "y", float, "z").init, float pitch=float.init, float yaw=float.init, sul.protocol.pocket113.types.Attribute[] attributes=(sul.protocol.pocket113.types.Attribute[]).init, Metadata metadata=Metadata.init, sul.protocol.pocket113.types.Link[] links=(sul.protocol.pocket113.types.Link[]).init) { this.entityId = entityId; this.runtimeId = runtimeId; this.type = type; this.position = position; this.motion = motion; this.pitch = pitch; this.yaw = yaw; this.attributes = attributes; this.metadata = metadata; this.links = links; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBytes(varlong.encode(runtimeId)); writeBytes(varuint.encode(type)); writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeLittleEndianFloat(motion.x); writeLittleEndianFloat(motion.y); writeLittleEndianFloat(motion.z); writeLittleEndianFloat(pitch); writeLittleEndianFloat(yaw); writeBytes(varuint.encode(cast(uint)attributes.length)); foreach(yrcldrc;attributes){ yrcldrc.encode(bufferInstance); } metadata.encode(bufferInstance); writeBytes(varuint.encode(cast(uint)links.length)); foreach(blam;links){ blam.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); runtimeId=varlong.decode(_buffer, &_index); type=varuint.decode(_buffer, &_index); position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); motion.x=readLittleEndianFloat(); motion.y=readLittleEndianFloat(); motion.z=readLittleEndianFloat(); pitch=readLittleEndianFloat(); yaw=readLittleEndianFloat(); attributes.length=varuint.decode(_buffer, &_index); foreach(ref yrcldrc;attributes){ yrcldrc.decode(bufferInstance); } metadata=Metadata.decode(bufferInstance); links.length=varuint.decode(_buffer, &_index); foreach(ref blam;links){ blam.decode(bufferInstance); } } public static pure nothrow @safe AddEntity fromBuffer(bool readId=true)(ubyte[] buffer) { AddEntity ret = new AddEntity(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "AddEntity(entityId: " ~ std.conv.to!string(this.entityId) ~ ", runtimeId: " ~ std.conv.to!string(this.runtimeId) ~ ", type: " ~ std.conv.to!string(this.type) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", motion: " ~ std.conv.to!string(this.motion) ~ ", pitch: " ~ std.conv.to!string(this.pitch) ~ ", yaw: " ~ std.conv.to!string(this.yaw) ~ ", attributes: " ~ std.conv.to!string(this.attributes) ~ ", metadata: " ~ std.conv.to!string(this.metadata) ~ ", links: " ~ std.conv.to!string(this.links) ~ ")"; } } class RemoveEntity : Buffer { public enum ubyte ID = 14; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["entityId"]; public long entityId; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId) { this.entityId = entityId; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); } public static pure nothrow @safe RemoveEntity fromBuffer(bool readId=true)(ubyte[] buffer) { RemoveEntity ret = new RemoveEntity(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "RemoveEntity(entityId: " ~ std.conv.to!string(this.entityId) ~ ")"; } } class AddItemEntity : Buffer { public enum ubyte ID = 15; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["entityId", "runtimeId", "item", "position", "motion", "metadata"]; public long entityId; public long runtimeId; public sul.protocol.pocket113.types.Slot item; public Tuple!(float, "x", float, "y", float, "z") position; public Tuple!(float, "x", float, "y", float, "z") motion; public Metadata metadata; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, long runtimeId=long.init, sul.protocol.pocket113.types.Slot item=sul.protocol.pocket113.types.Slot.init, Tuple!(float, "x", float, "y", float, "z") position=Tuple!(float, "x", float, "y", float, "z").init, Tuple!(float, "x", float, "y", float, "z") motion=Tuple!(float, "x", float, "y", float, "z").init, Metadata metadata=Metadata.init) { this.entityId = entityId; this.runtimeId = runtimeId; this.item = item; this.position = position; this.motion = motion; this.metadata = metadata; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBytes(varlong.encode(runtimeId)); item.encode(bufferInstance); writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeLittleEndianFloat(motion.x); writeLittleEndianFloat(motion.y); writeLittleEndianFloat(motion.z); metadata.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); runtimeId=varlong.decode(_buffer, &_index); item.decode(bufferInstance); position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); motion.x=readLittleEndianFloat(); motion.y=readLittleEndianFloat(); motion.z=readLittleEndianFloat(); metadata=Metadata.decode(bufferInstance); } public static pure nothrow @safe AddItemEntity fromBuffer(bool readId=true)(ubyte[] buffer) { AddItemEntity ret = new AddItemEntity(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "AddItemEntity(entityId: " ~ std.conv.to!string(this.entityId) ~ ", runtimeId: " ~ std.conv.to!string(this.runtimeId) ~ ", item: " ~ std.conv.to!string(this.item) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", motion: " ~ std.conv.to!string(this.motion) ~ ", metadata: " ~ std.conv.to!string(this.metadata) ~ ")"; } } class AddHangingEntity : Buffer { public enum ubyte ID = 16; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["entityId", "runtimeId", "position", "unknown3"]; public long entityId; public long runtimeId; public sul.protocol.pocket113.types.BlockPosition position; public int unknown3; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, long runtimeId=long.init, sul.protocol.pocket113.types.BlockPosition position=sul.protocol.pocket113.types.BlockPosition.init, int unknown3=int.init) { this.entityId = entityId; this.runtimeId = runtimeId; this.position = position; this.unknown3 = unknown3; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBytes(varlong.encode(runtimeId)); position.encode(bufferInstance); writeBytes(varint.encode(unknown3)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); runtimeId=varlong.decode(_buffer, &_index); position.decode(bufferInstance); unknown3=varint.decode(_buffer, &_index); } public static pure nothrow @safe AddHangingEntity fromBuffer(bool readId=true)(ubyte[] buffer) { AddHangingEntity ret = new AddHangingEntity(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "AddHangingEntity(entityId: " ~ std.conv.to!string(this.entityId) ~ ", runtimeId: " ~ std.conv.to!string(this.runtimeId) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", unknown3: " ~ std.conv.to!string(this.unknown3) ~ ")"; } } class TakeItemEntity : Buffer { public enum ubyte ID = 17; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["collected", "collector"]; public long collected; public long collector; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long collected, long collector=long.init) { this.collected = collected; this.collector = collector; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(collected)); writeBytes(varlong.encode(collector)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } collected=varlong.decode(_buffer, &_index); collector=varlong.decode(_buffer, &_index); } public static pure nothrow @safe TakeItemEntity fromBuffer(bool readId=true)(ubyte[] buffer) { TakeItemEntity ret = new TakeItemEntity(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "TakeItemEntity(collected: " ~ std.conv.to!string(this.collected) ~ ", collector: " ~ std.conv.to!string(this.collector) ~ ")"; } } class MoveEntity : Buffer { public enum ubyte ID = 18; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["entityId", "position", "pitch", "headYaw", "yaw", "onGround", "teleported"]; public long entityId; public Tuple!(float, "x", float, "y", float, "z") position; public ubyte pitch; public ubyte headYaw; public ubyte yaw; public bool onGround; public bool teleported; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, Tuple!(float, "x", float, "y", float, "z") position=Tuple!(float, "x", float, "y", float, "z").init, ubyte pitch=ubyte.init, ubyte headYaw=ubyte.init, ubyte yaw=ubyte.init, bool onGround=bool.init, bool teleported=bool.init) { this.entityId = entityId; this.position = position; this.pitch = pitch; this.headYaw = headYaw; this.yaw = yaw; this.onGround = onGround; this.teleported = teleported; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeBigEndianUbyte(pitch); writeBigEndianUbyte(headYaw); writeBigEndianUbyte(yaw); writeBigEndianBool(onGround); writeBigEndianBool(teleported); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); pitch=readBigEndianUbyte(); headYaw=readBigEndianUbyte(); yaw=readBigEndianUbyte(); onGround=readBigEndianBool(); teleported=readBigEndianBool(); } public static pure nothrow @safe MoveEntity fromBuffer(bool readId=true)(ubyte[] buffer) { MoveEntity ret = new MoveEntity(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "MoveEntity(entityId: " ~ std.conv.to!string(this.entityId) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", pitch: " ~ std.conv.to!string(this.pitch) ~ ", headYaw: " ~ std.conv.to!string(this.headYaw) ~ ", yaw: " ~ std.conv.to!string(this.yaw) ~ ", onGround: " ~ std.conv.to!string(this.onGround) ~ ", teleported: " ~ std.conv.to!string(this.teleported) ~ ")"; } } class MovePlayer : Buffer { public enum ubyte ID = 19; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; // animation public enum ubyte FULL = 0; public enum ubyte NONE = 1; public enum ubyte TELEPORT = 2; public enum ubyte PITCH = 3; public enum string[] FIELDS = ["entityId", "position", "pitch", "headYaw", "yaw", "animation", "onGround", "unknown7", "unknown8", "unknown9"]; public long entityId; public Tuple!(float, "x", float, "y", float, "z") position; public float pitch; public float headYaw; public float yaw; public ubyte animation; public bool onGround; public long unknown7; public int unknown8; public int unknown9; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, Tuple!(float, "x", float, "y", float, "z") position=Tuple!(float, "x", float, "y", float, "z").init, float pitch=float.init, float headYaw=float.init, float yaw=float.init, ubyte animation=ubyte.init, bool onGround=bool.init, long unknown7=long.init, int unknown8=int.init, int unknown9=int.init) { this.entityId = entityId; this.position = position; this.pitch = pitch; this.headYaw = headYaw; this.yaw = yaw; this.animation = animation; this.onGround = onGround; this.unknown7 = unknown7; this.unknown8 = unknown8; this.unknown9 = unknown9; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeLittleEndianFloat(pitch); writeLittleEndianFloat(headYaw); writeLittleEndianFloat(yaw); writeBigEndianUbyte(animation); writeBigEndianBool(onGround); writeBytes(varlong.encode(unknown7)); if(animation==3){ writeLittleEndianInt(unknown8); } if(animation==3){ writeLittleEndianInt(unknown9); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); pitch=readLittleEndianFloat(); headYaw=readLittleEndianFloat(); yaw=readLittleEndianFloat(); animation=readBigEndianUbyte(); onGround=readBigEndianBool(); unknown7=varlong.decode(_buffer, &_index); if(animation==3){ unknown8=readLittleEndianInt(); } if(animation==3){ unknown9=readLittleEndianInt(); } } public static pure nothrow @safe MovePlayer fromBuffer(bool readId=true)(ubyte[] buffer) { MovePlayer ret = new MovePlayer(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "MovePlayer(entityId: " ~ std.conv.to!string(this.entityId) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", pitch: " ~ std.conv.to!string(this.pitch) ~ ", headYaw: " ~ std.conv.to!string(this.headYaw) ~ ", yaw: " ~ std.conv.to!string(this.yaw) ~ ", animation: " ~ std.conv.to!string(this.animation) ~ ", onGround: " ~ std.conv.to!string(this.onGround) ~ ", unknown7: " ~ std.conv.to!string(this.unknown7) ~ ", unknown8: " ~ std.conv.to!string(this.unknown8) ~ ", unknown9: " ~ std.conv.to!string(this.unknown9) ~ ")"; } } class RiderJump : Buffer { public enum ubyte ID = 20; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["rider"]; public long rider; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long rider) { this.rider = rider; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(rider)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } rider=varlong.decode(_buffer, &_index); } public static pure nothrow @safe RiderJump fromBuffer(bool readId=true)(ubyte[] buffer) { RiderJump ret = new RiderJump(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "RiderJump(rider: " ~ std.conv.to!string(this.rider) ~ ")"; } } class RemoveBlock : Buffer { public enum ubyte ID = 21; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["position"]; public sul.protocol.pocket113.types.BlockPosition position; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.BlockPosition position) { this.position = position; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } position.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } position.decode(bufferInstance); } public static pure nothrow @safe RemoveBlock fromBuffer(bool readId=true)(ubyte[] buffer) { RemoveBlock ret = new RemoveBlock(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "RemoveBlock(position: " ~ std.conv.to!string(this.position) ~ ")"; } } class UpdateBlock : Buffer { public enum ubyte ID = 22; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // flags and meta public enum uint NEIGHBORS = 1; public enum uint NETWORK = 2; public enum uint NO_GRAPHIC = 4; public enum uint PRIORITY = 8; public enum string[] FIELDS = ["position", "block", "flagsAndMeta"]; public sul.protocol.pocket113.types.BlockPosition position; public uint block; public uint flagsAndMeta; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.BlockPosition position, uint block=uint.init, uint flagsAndMeta=uint.init) { this.position = position; this.block = block; this.flagsAndMeta = flagsAndMeta; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } position.encode(bufferInstance); writeBytes(varuint.encode(block)); writeBytes(varuint.encode(flagsAndMeta)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } position.decode(bufferInstance); block=varuint.decode(_buffer, &_index); flagsAndMeta=varuint.decode(_buffer, &_index); } public static pure nothrow @safe UpdateBlock fromBuffer(bool readId=true)(ubyte[] buffer) { UpdateBlock ret = new UpdateBlock(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "UpdateBlock(position: " ~ std.conv.to!string(this.position) ~ ", block: " ~ std.conv.to!string(this.block) ~ ", flagsAndMeta: " ~ std.conv.to!string(this.flagsAndMeta) ~ ")"; } } class AddPainting : Buffer { public enum ubyte ID = 23; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["entityId", "runtimeId", "position", "direction", "title"]; public long entityId; public long runtimeId; public sul.protocol.pocket113.types.BlockPosition position; public int direction; public string title; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, long runtimeId=long.init, sul.protocol.pocket113.types.BlockPosition position=sul.protocol.pocket113.types.BlockPosition.init, int direction=int.init, string title=string.init) { this.entityId = entityId; this.runtimeId = runtimeId; this.position = position; this.direction = direction; this.title = title; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBytes(varlong.encode(runtimeId)); position.encode(bufferInstance); writeBytes(varint.encode(direction)); writeBytes(varuint.encode(cast(uint)title.length)); writeString(title); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); runtimeId=varlong.decode(_buffer, &_index); position.decode(bufferInstance); direction=varint.decode(_buffer, &_index); uint dlbu=varuint.decode(_buffer, &_index); title=readString(dlbu); } public static pure nothrow @safe AddPainting fromBuffer(bool readId=true)(ubyte[] buffer) { AddPainting ret = new AddPainting(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "AddPainting(entityId: " ~ std.conv.to!string(this.entityId) ~ ", runtimeId: " ~ std.conv.to!string(this.runtimeId) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", direction: " ~ std.conv.to!string(this.direction) ~ ", title: " ~ std.conv.to!string(this.title) ~ ")"; } } class Explode : Buffer { public enum ubyte ID = 24; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["position", "radius", "destroyedBlocks"]; public Tuple!(float, "x", float, "y", float, "z") position; public float radius; public sul.protocol.pocket113.types.BlockPosition[] destroyedBlocks; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(Tuple!(float, "x", float, "y", float, "z") position, float radius=float.init, sul.protocol.pocket113.types.BlockPosition[] destroyedBlocks=(sul.protocol.pocket113.types.BlockPosition[]).init) { this.position = position; this.radius = radius; this.destroyedBlocks = destroyedBlocks; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeLittleEndianFloat(radius); writeBytes(varuint.encode(cast(uint)destroyedBlocks.length)); foreach(zvdjevqx;destroyedBlocks){ zvdjevqx.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); radius=readLittleEndianFloat(); destroyedBlocks.length=varuint.decode(_buffer, &_index); foreach(ref zvdjevqx;destroyedBlocks){ zvdjevqx.decode(bufferInstance); } } public static pure nothrow @safe Explode fromBuffer(bool readId=true)(ubyte[] buffer) { Explode ret = new Explode(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "Explode(position: " ~ std.conv.to!string(this.position) ~ ", radius: " ~ std.conv.to!string(this.radius) ~ ", destroyedBlocks: " ~ std.conv.to!string(this.destroyedBlocks) ~ ")"; } } class LevelSoundEvent : Buffer { public enum ubyte ID = 25; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; // sound public enum ubyte ITEM_USE_ON = 0; public enum ubyte HIT = 1; public enum ubyte STEP = 2; public enum ubyte JUMP = 3; public enum ubyte BREAK = 4; public enum ubyte PLACE = 5; public enum ubyte HEAVY_STEP = 6; public enum ubyte GALLOP = 7; public enum ubyte FALL = 8; public enum ubyte AMBIENT = 9; public enum ubyte AMBIENT_BABY = 10; public enum ubyte AMBIENT_IN_WATER = 11; public enum ubyte BREATHE = 12; public enum ubyte DEATH = 13; public enum ubyte DEATH_IN_WATER = 14; public enum ubyte DEATH_TO_ZOMBIE = 15; public enum ubyte HURT = 16; public enum ubyte HURT_IN_WATER = 17; public enum ubyte MAD = 18; public enum ubyte BOOST = 19; public enum ubyte BOW = 20; public enum ubyte SQUISH_BIG = 21; public enum ubyte SQUISH_SMALL = 22; public enum ubyte FALL_BIG = 23; public enum ubyte FALL_SMALL = 24; public enum ubyte SPLASH = 25; public enum ubyte FIZZ = 26; public enum ubyte FLAP = 27; public enum ubyte SWIM = 28; public enum ubyte DRINK = 29; public enum ubyte EAT = 30; public enum ubyte TAKEOFF = 31; public enum ubyte SHAKE = 32; public enum ubyte PLOP = 33; public enum ubyte LAND = 34; public enum ubyte SADDLE = 35; public enum ubyte ARMOR = 36; public enum ubyte ADD_CHEST = 37; public enum ubyte THROW = 38; public enum ubyte ATTACK = 39; public enum ubyte ATTACK_NODAMAGE = 40; public enum ubyte WARN = 41; public enum ubyte SHEAR = 42; public enum ubyte MILK = 43; public enum ubyte THUNDER = 44; public enum ubyte EXPLODE = 45; public enum ubyte FIRE = 46; public enum ubyte IGNITE = 47; public enum ubyte FUSE = 48; public enum ubyte STARE = 49; public enum ubyte SPAWN = 50; public enum ubyte SHOOT = 51; public enum ubyte BREAK_BLOCK = 52; public enum ubyte REMEDY = 53; public enum ubyte UNFECT = 54; public enum ubyte LEVELUP = 55; public enum ubyte BOW_HIT = 56; public enum ubyte BULLET_HIT = 57; public enum ubyte EXTINGUISH_FIRE = 58; public enum ubyte ITEM_FIZZ = 59; public enum ubyte CHEST_OPEN = 60; public enum ubyte CHEST_CLOSED = 61; public enum ubyte SHULKER_BOX_OPEN = 62; public enum ubyte SHULKER_BOX_CLOSE = 63; public enum ubyte POWER_ON = 64; public enum ubyte POWER_OFF = 65; public enum ubyte ATTACH = 66; public enum ubyte DETACH = 67; public enum ubyte DENY = 68; public enum ubyte TRIPOD = 69; public enum ubyte POP = 70; public enum ubyte DROP_SLOT = 71; public enum ubyte NOTE = 72; public enum ubyte THORNS = 73; public enum ubyte PISTON_IN = 74; public enum ubyte PISTON_OUT = 75; public enum ubyte PORTAL = 76; public enum ubyte WATER = 77; public enum ubyte LAVA_POP = 78; public enum ubyte LAVA = 79; public enum ubyte BURP = 80; public enum ubyte BUCKET_FILL_WATER = 81; public enum ubyte BUCKET_FILL_LAVA = 82; public enum ubyte BUCKET_EMPTY_WATER = 83; public enum ubyte BUCKET_EMPTY_LAVA = 84; public enum ubyte GUARDIAN_FLOP = 85; public enum ubyte ELDERGUARDIAN_CURSE = 86; public enum ubyte MOB_WARNING = 87; public enum ubyte MOB_WARNING_BABY = 88; public enum ubyte TELEPORT = 89; public enum ubyte SHULKER_OPEN = 90; public enum ubyte SHULKER_CLOSE = 91; public enum ubyte HAGGLE = 92; public enum ubyte HAGGLE_YES = 93; public enum ubyte HAGGLE_NO = 94; public enum ubyte HAGGLE_IDLE = 95; public enum ubyte CHORUS_GROW = 96; public enum ubyte CHORUS_DEATH = 97; public enum ubyte GLASS = 98; public enum ubyte CAST_SPELL = 99; public enum ubyte PREPARE_ATTACK = 100; public enum ubyte PREPARE_SUMMON = 101; public enum ubyte PREPARE_WOLOLO = 102; public enum ubyte FANG = 103; public enum ubyte CHARGE = 104; public enum ubyte TAKE_PICTURE = 105; public enum ubyte DEFAULT = 106; public enum ubyte UNDEFINED = 107; public enum string[] FIELDS = ["sound", "position", "volume", "pitch", "unknown4"]; public ubyte sound; public Tuple!(float, "x", float, "y", float, "z") position; public uint volume; public int pitch; public bool unknown4; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte sound, Tuple!(float, "x", float, "y", float, "z") position=Tuple!(float, "x", float, "y", float, "z").init, uint volume=uint.init, int pitch=int.init, bool unknown4=bool.init) { this.sound = sound; this.position = position; this.volume = volume; this.pitch = pitch; this.unknown4 = unknown4; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(sound); writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeBytes(varuint.encode(volume)); writeBytes(varint.encode(pitch)); writeBigEndianBool(unknown4); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } sound=readBigEndianUbyte(); position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); volume=varuint.decode(_buffer, &_index); pitch=varint.decode(_buffer, &_index); unknown4=readBigEndianBool(); } public static pure nothrow @safe LevelSoundEvent fromBuffer(bool readId=true)(ubyte[] buffer) { LevelSoundEvent ret = new LevelSoundEvent(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "LevelSoundEvent(sound: " ~ std.conv.to!string(this.sound) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", volume: " ~ std.conv.to!string(this.volume) ~ ", pitch: " ~ std.conv.to!string(this.pitch) ~ ", unknown4: " ~ std.conv.to!string(this.unknown4) ~ ")"; } } class LevelEvent : Buffer { public enum ubyte ID = 26; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // event id public enum int START_RAIN = 3001; public enum int START_THUNDER = 3002; public enum int STOP_RAIN = 3003; public enum int STOP_THUNDER = 3004; public enum int START_BLOCK_BREAK = 3600; public enum int STOP_BLOCK_BREAK = 3601; public enum int SET_DATA = 4000; public enum int PLAYERS_SLEEPING = 9800; public enum int PARTICLE_BUBBLE = 16385; public enum int PARTICLE_CRITICAL = 16386; public enum int PARTICLE_BLOCK_FORCE_FIELD = 16387; public enum int PARTICLE_SMOKE = 16388; public enum int PARTICLE_EXPLODE = 16389; public enum int PARTICLE_EVAPORATION = 16390; public enum int PARTICLE_FLAME = 16391; public enum int PARTICLE_LAVA = 16392; public enum int PARTICLE_LARGE_SMOKE = 16393; public enum int PARTICLE_REDSTONE = 16394; public enum int PARTICLE_RISING_RED_DUST = 16395; public enum int PARTICLE_ITEM_BREAK = 16396; public enum int PARTICLE_SNOWBALL_POOF = 16397; public enum int PARTICLE_HUGE_EXPLODE = 16398; public enum int PARTICLE_HUGE_EXPLODE_SEED = 16399; public enum int PARTICLE_MOB_FLAME = 16400; public enum int PARTICLE_HEART = 16401; public enum int PARTICLE_TERRAIN = 16402; public enum int PARTICLE_TOWN_AURA = 16403; public enum int PARTICLE_PORTAL = 16404; public enum int PARTICLE_WATER_SPLASH = 16405; public enum int PARTICLE_WATER_WAKE = 16406; public enum int PARTICLE_DRIP_WATER = 16407; public enum int PARTICLE_DRIP_LAVA = 16408; public enum int PARTICLE_FALLING_DUST = 16409; public enum int PARTICLE_MOB_SPELL = 16410; public enum int PARTICLE_MOB_SPELL_AMBIENT = 16411; public enum int PARTICLE_MOB_SPELL_INSTANTANEOUS = 16412; public enum int PARTICLE_INK = 16413; public enum int PARTICLE_SLIME = 16414; public enum int PARTICLE_RAIN_SPLASH = 16415; public enum int PARTICLE_VILLAGER_ANGRY = 16416; public enum int PARTICLE_VILLAGER_HAPPY = 16417; public enum int PARTICLE_ENCHANTMENT_TABLE = 16418; public enum int PARTICLE_TRACKING_EMITTER = 16419; public enum int PARTICLE_NOTE = 16420; public enum int PARTICLE_WITCH_SPELL = 16421; public enum int PARTICLE_CARROT = 16422; public enum int PARTICLE_END_ROD = 16424; public enum int PARTICLE_DRAGON_BREATH = 16425; public enum int PARTICLE_SHOOT = 2000; public enum int PARTICLE_DESTROY = 2001; public enum int PARTICLE_SPLASH = 2002; public enum int PARTICLE_EYE_DESPAWN = 2003; public enum int PARTICLE_SPAWN = 2004; public enum string[] FIELDS = ["eventId", "position", "data"]; public int eventId; public Tuple!(float, "x", float, "y", float, "z") position; public int data; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int eventId, Tuple!(float, "x", float, "y", float, "z") position=Tuple!(float, "x", float, "y", float, "z").init, int data=int.init) { this.eventId = eventId; this.position = position; this.data = data; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(eventId)); writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeBytes(varint.encode(data)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } eventId=varint.decode(_buffer, &_index); position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); data=varint.decode(_buffer, &_index); } public static pure nothrow @safe LevelEvent fromBuffer(bool readId=true)(ubyte[] buffer) { LevelEvent ret = new LevelEvent(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "LevelEvent(eventId: " ~ std.conv.to!string(this.eventId) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", data: " ~ std.conv.to!string(this.data) ~ ")"; } } class BlockEvent : Buffer { public enum ubyte ID = 27; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["position", "data"]; public sul.protocol.pocket113.types.BlockPosition position; public int[2] data; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.BlockPosition position, int[2] data=(int[2]).init) { this.position = position; this.data = data; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } position.encode(bufferInstance); foreach(zfy;data){ writeBytes(varint.encode(zfy)); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } position.decode(bufferInstance); foreach(ref zfy;data){ zfy=varint.decode(_buffer, &_index); } } public static pure nothrow @safe BlockEvent fromBuffer(bool readId=true)(ubyte[] buffer) { BlockEvent ret = new BlockEvent(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "BlockEvent(position: " ~ std.conv.to!string(this.position) ~ ", data: " ~ std.conv.to!string(this.data) ~ ")"; } } class EntityEvent : Buffer { public enum ubyte ID = 28; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; // event id public enum ubyte HURT_ANIMATION = 2; public enum ubyte DEATH_ANIMATION = 3; public enum ubyte TAME_FAIL = 6; public enum ubyte TAME_SUCCESS = 7; public enum ubyte SHAKE_WET = 8; public enum ubyte USE_ITEM = 9; public enum ubyte EAT_GRASS_ANIMATION = 10; public enum ubyte FISH_HOOK_BUBBLES = 11; public enum ubyte FISH_HOOK_POSITION = 12; public enum ubyte FISH_HOOK_HOOK = 13; public enum ubyte FISH_HOOK_TEASE = 14; public enum ubyte SQUID_INK_CLOUD = 15; public enum ubyte AMBIENT_SOUND = 16; public enum ubyte RESPAWN = 17; public enum ubyte UNLEASH = 63; public enum string[] FIELDS = ["entityId", "eventId", "unknown2"]; public long entityId; public ubyte eventId; public int unknown2; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, ubyte eventId=ubyte.init, int unknown2=int.init) { this.entityId = entityId; this.eventId = eventId; this.unknown2 = unknown2; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBigEndianUbyte(eventId); writeBytes(varint.encode(unknown2)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); eventId=readBigEndianUbyte(); unknown2=varint.decode(_buffer, &_index); } public static pure nothrow @safe EntityEvent fromBuffer(bool readId=true)(ubyte[] buffer) { EntityEvent ret = new EntityEvent(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "EntityEvent(entityId: " ~ std.conv.to!string(this.entityId) ~ ", eventId: " ~ std.conv.to!string(this.eventId) ~ ", unknown2: " ~ std.conv.to!string(this.unknown2) ~ ")"; } } class MobEffect : Buffer { public enum ubyte ID = 29; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // event id public enum ubyte ADD = 1; public enum ubyte MODIFY = 2; public enum ubyte REMOVE = 3; public enum string[] FIELDS = ["entityId", "eventId", "effect", "amplifier", "particles", "duration"]; public long entityId; public ubyte eventId; public int effect; public int amplifier; public bool particles; public int duration; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, ubyte eventId=ubyte.init, int effect=int.init, int amplifier=int.init, bool particles=bool.init, int duration=int.init) { this.entityId = entityId; this.eventId = eventId; this.effect = effect; this.amplifier = amplifier; this.particles = particles; this.duration = duration; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBigEndianUbyte(eventId); writeBytes(varint.encode(effect)); writeBytes(varint.encode(amplifier)); writeBigEndianBool(particles); writeBytes(varint.encode(duration)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); eventId=readBigEndianUbyte(); effect=varint.decode(_buffer, &_index); amplifier=varint.decode(_buffer, &_index); particles=readBigEndianBool(); duration=varint.decode(_buffer, &_index); } public static pure nothrow @safe MobEffect fromBuffer(bool readId=true)(ubyte[] buffer) { MobEffect ret = new MobEffect(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "MobEffect(entityId: " ~ std.conv.to!string(this.entityId) ~ ", eventId: " ~ std.conv.to!string(this.eventId) ~ ", effect: " ~ std.conv.to!string(this.effect) ~ ", amplifier: " ~ std.conv.to!string(this.amplifier) ~ ", particles: " ~ std.conv.to!string(this.particles) ~ ", duration: " ~ std.conv.to!string(this.duration) ~ ")"; } } class UpdateAttributes : Buffer { public enum ubyte ID = 30; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["entityId", "attributes"]; public long entityId; public sul.protocol.pocket113.types.Attribute[] attributes; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, sul.protocol.pocket113.types.Attribute[] attributes=(sul.protocol.pocket113.types.Attribute[]).init) { this.entityId = entityId; this.attributes = attributes; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBytes(varuint.encode(cast(uint)attributes.length)); foreach(yrcldrc;attributes){ yrcldrc.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); attributes.length=varuint.decode(_buffer, &_index); foreach(ref yrcldrc;attributes){ yrcldrc.decode(bufferInstance); } } public static pure nothrow @safe UpdateAttributes fromBuffer(bool readId=true)(ubyte[] buffer) { UpdateAttributes ret = new UpdateAttributes(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "UpdateAttributes(entityId: " ~ std.conv.to!string(this.entityId) ~ ", attributes: " ~ std.conv.to!string(this.attributes) ~ ")"; } } class MobEquipment : Buffer { public enum ubyte ID = 31; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["entityId", "item", "inventorySlot", "hotbarSlot", "unknown4"]; public long entityId; public sul.protocol.pocket113.types.Slot item; public ubyte inventorySlot; public ubyte hotbarSlot; public ubyte unknown4; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, sul.protocol.pocket113.types.Slot item=sul.protocol.pocket113.types.Slot.init, ubyte inventorySlot=ubyte.init, ubyte hotbarSlot=ubyte.init, ubyte unknown4=ubyte.init) { this.entityId = entityId; this.item = item; this.inventorySlot = inventorySlot; this.hotbarSlot = hotbarSlot; this.unknown4 = unknown4; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); item.encode(bufferInstance); writeBigEndianUbyte(inventorySlot); writeBigEndianUbyte(hotbarSlot); writeBigEndianUbyte(unknown4); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); item.decode(bufferInstance); inventorySlot=readBigEndianUbyte(); hotbarSlot=readBigEndianUbyte(); unknown4=readBigEndianUbyte(); } public static pure nothrow @safe MobEquipment fromBuffer(bool readId=true)(ubyte[] buffer) { MobEquipment ret = new MobEquipment(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "MobEquipment(entityId: " ~ std.conv.to!string(this.entityId) ~ ", item: " ~ std.conv.to!string(this.item) ~ ", inventorySlot: " ~ std.conv.to!string(this.inventorySlot) ~ ", hotbarSlot: " ~ std.conv.to!string(this.hotbarSlot) ~ ", unknown4: " ~ std.conv.to!string(this.unknown4) ~ ")"; } } class MobArmorEquipment : Buffer { public enum ubyte ID = 32; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["entityId", "armor"]; public long entityId; public sul.protocol.pocket113.types.Slot[4] armor; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, sul.protocol.pocket113.types.Slot[4] armor=(sul.protocol.pocket113.types.Slot[4]).init) { this.entityId = entityId; this.armor = armor; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); foreach(yjbi;armor){ yjbi.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); foreach(ref yjbi;armor){ yjbi.decode(bufferInstance); } } public static pure nothrow @safe MobArmorEquipment fromBuffer(bool readId=true)(ubyte[] buffer) { MobArmorEquipment ret = new MobArmorEquipment(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "MobArmorEquipment(entityId: " ~ std.conv.to!string(this.entityId) ~ ", armor: " ~ std.conv.to!string(this.armor) ~ ")"; } } class Interact : Buffer { public enum ubyte ID = 33; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; // action public enum ubyte INTERACT = 1; public enum ubyte ATTACK = 2; public enum ubyte LEAVE_VEHICLE = 3; public enum ubyte HOVER = 4; public enum string[] FIELDS = ["action", "target"]; public ubyte action; public long target; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte action, long target=long.init) { this.action = action; this.target = target; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(action); writeBytes(varlong.encode(target)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } action=readBigEndianUbyte(); target=varlong.decode(_buffer, &_index); } public static pure nothrow @safe Interact fromBuffer(bool readId=true)(ubyte[] buffer) { Interact ret = new Interact(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "Interact(action: " ~ std.conv.to!string(this.action) ~ ", target: " ~ std.conv.to!string(this.target) ~ ")"; } } class BlockPickRequest : Buffer { public enum ubyte ID = 34; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["position", "slot"]; public Tuple!(int, "x", int, "y", int, "z") position; public ubyte slot; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(Tuple!(int, "x", int, "y", int, "z") position, ubyte slot=ubyte.init) { this.position = position; this.slot = slot; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(position.x)); writeBytes(varint.encode(position.y)); writeBytes(varint.encode(position.z)); writeBigEndianUbyte(slot); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } position.x=varint.decode(_buffer, &_index); position.y=varint.decode(_buffer, &_index); position.z=varint.decode(_buffer, &_index); slot=readBigEndianUbyte(); } public static pure nothrow @safe BlockPickRequest fromBuffer(bool readId=true)(ubyte[] buffer) { BlockPickRequest ret = new BlockPickRequest(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "BlockPickRequest(position: " ~ std.conv.to!string(this.position) ~ ", slot: " ~ std.conv.to!string(this.slot) ~ ")"; } } class UseItem : Buffer { public enum ubyte ID = 35; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["blockPosition", "hotbarSlot", "face", "facePosition", "position", "slot", "item"]; public sul.protocol.pocket113.types.BlockPosition blockPosition; public uint hotbarSlot; public int face; public Tuple!(float, "x", float, "y", float, "z") facePosition; public Tuple!(float, "x", float, "y", float, "z") position; public int slot; public sul.protocol.pocket113.types.Slot item; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.BlockPosition blockPosition, uint hotbarSlot=uint.init, int face=int.init, Tuple!(float, "x", float, "y", float, "z") facePosition=Tuple!(float, "x", float, "y", float, "z").init, Tuple!(float, "x", float, "y", float, "z") position=Tuple!(float, "x", float, "y", float, "z").init, int slot=int.init, sul.protocol.pocket113.types.Slot item=sul.protocol.pocket113.types.Slot.init) { this.blockPosition = blockPosition; this.hotbarSlot = hotbarSlot; this.face = face; this.facePosition = facePosition; this.position = position; this.slot = slot; this.item = item; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } blockPosition.encode(bufferInstance); writeBytes(varuint.encode(hotbarSlot)); writeBytes(varint.encode(face)); writeLittleEndianFloat(facePosition.x); writeLittleEndianFloat(facePosition.y); writeLittleEndianFloat(facePosition.z); writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeBytes(varint.encode(slot)); item.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } blockPosition.decode(bufferInstance); hotbarSlot=varuint.decode(_buffer, &_index); face=varint.decode(_buffer, &_index); facePosition.x=readLittleEndianFloat(); facePosition.y=readLittleEndianFloat(); facePosition.z=readLittleEndianFloat(); position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); slot=varint.decode(_buffer, &_index); item.decode(bufferInstance); } public static pure nothrow @safe UseItem fromBuffer(bool readId=true)(ubyte[] buffer) { UseItem ret = new UseItem(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "UseItem(blockPosition: " ~ std.conv.to!string(this.blockPosition) ~ ", hotbarSlot: " ~ std.conv.to!string(this.hotbarSlot) ~ ", face: " ~ std.conv.to!string(this.face) ~ ", facePosition: " ~ std.conv.to!string(this.facePosition) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", slot: " ~ std.conv.to!string(this.slot) ~ ", item: " ~ std.conv.to!string(this.item) ~ ")"; } } class PlayerAction : Buffer { public enum ubyte ID = 36; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; // action public enum int START_BREAK = 0; public enum int ABORT_BREAK = 1; public enum int STOP_BREAK = 2; public enum int RELEASE_ITEM = 5; public enum int STOP_SLEEPING = 6; public enum int RESPAWN = 7; public enum int JUMP = 8; public enum int START_SPRINT = 9; public enum int STOP_SPRINT = 10; public enum int START_SNEAK = 11; public enum int STOP_SNEAK = 12; public enum int START_GLIDING = 15; public enum int STOP_GLIDING = 16; public enum int CONTINUE_BREAK = 18; public enum string[] FIELDS = ["entityId", "action", "position", "face"]; public long entityId; public int action; public sul.protocol.pocket113.types.BlockPosition position; public int face; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, int action=int.init, sul.protocol.pocket113.types.BlockPosition position=sul.protocol.pocket113.types.BlockPosition.init, int face=int.init) { this.entityId = entityId; this.action = action; this.position = position; this.face = face; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBytes(varint.encode(action)); position.encode(bufferInstance); writeBytes(varint.encode(face)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); action=varint.decode(_buffer, &_index); position.decode(bufferInstance); face=varint.decode(_buffer, &_index); } public static pure nothrow @safe PlayerAction fromBuffer(bool readId=true)(ubyte[] buffer) { PlayerAction ret = new PlayerAction(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "PlayerAction(entityId: " ~ std.conv.to!string(this.entityId) ~ ", action: " ~ std.conv.to!string(this.action) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", face: " ~ std.conv.to!string(this.face) ~ ")"; } } class EntityFall : Buffer { public enum ubyte ID = 37; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["entityId", "distance", "unknown2"]; public long entityId; public float distance; public bool unknown2; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, float distance=float.init, bool unknown2=bool.init) { this.entityId = entityId; this.distance = distance; this.unknown2 = unknown2; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeLittleEndianFloat(distance); writeBigEndianBool(unknown2); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); distance=readLittleEndianFloat(); unknown2=readBigEndianBool(); } public static pure nothrow @safe EntityFall fromBuffer(bool readId=true)(ubyte[] buffer) { EntityFall ret = new EntityFall(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "EntityFall(entityId: " ~ std.conv.to!string(this.entityId) ~ ", distance: " ~ std.conv.to!string(this.distance) ~ ", unknown2: " ~ std.conv.to!string(this.unknown2) ~ ")"; } } class HurtArmor : Buffer { public enum ubyte ID = 38; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["unknown0"]; public int unknown0; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int unknown0) { this.unknown0 = unknown0; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(unknown0)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } unknown0=varint.decode(_buffer, &_index); } public static pure nothrow @safe HurtArmor fromBuffer(bool readId=true)(ubyte[] buffer) { HurtArmor ret = new HurtArmor(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "HurtArmor(unknown0: " ~ std.conv.to!string(this.unknown0) ~ ")"; } } class SetEntityData : Buffer { public enum ubyte ID = 39; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["entityId", "metadata"]; public long entityId; public Metadata metadata; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, Metadata metadata=Metadata.init) { this.entityId = entityId; this.metadata = metadata; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); metadata.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); metadata=Metadata.decode(bufferInstance); } public static pure nothrow @safe SetEntityData fromBuffer(bool readId=true)(ubyte[] buffer) { SetEntityData ret = new SetEntityData(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetEntityData(entityId: " ~ std.conv.to!string(this.entityId) ~ ", metadata: " ~ std.conv.to!string(this.metadata) ~ ")"; } } class SetEntityMotion : Buffer { public enum ubyte ID = 40; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["entityId", "motion"]; public long entityId; public Tuple!(float, "x", float, "y", float, "z") motion; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, Tuple!(float, "x", float, "y", float, "z") motion=Tuple!(float, "x", float, "y", float, "z").init) { this.entityId = entityId; this.motion = motion; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeLittleEndianFloat(motion.x); writeLittleEndianFloat(motion.y); writeLittleEndianFloat(motion.z); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); motion.x=readLittleEndianFloat(); motion.y=readLittleEndianFloat(); motion.z=readLittleEndianFloat(); } public static pure nothrow @safe SetEntityMotion fromBuffer(bool readId=true)(ubyte[] buffer) { SetEntityMotion ret = new SetEntityMotion(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetEntityMotion(entityId: " ~ std.conv.to!string(this.entityId) ~ ", motion: " ~ std.conv.to!string(this.motion) ~ ")"; } } class SetEntityLink : Buffer { public enum ubyte ID = 41; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // action public enum ubyte REMOVE = 0; public enum ubyte ADD = 1; public enum string[] FIELDS = ["vehicle", "passenger", "action"]; public long vehicle; public long passenger; public ubyte action; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long vehicle, long passenger=long.init, ubyte action=ubyte.init) { this.vehicle = vehicle; this.passenger = passenger; this.action = action; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(vehicle)); writeBytes(varlong.encode(passenger)); writeBigEndianUbyte(action); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } vehicle=varlong.decode(_buffer, &_index); passenger=varlong.decode(_buffer, &_index); action=readBigEndianUbyte(); } public static pure nothrow @safe SetEntityLink fromBuffer(bool readId=true)(ubyte[] buffer) { SetEntityLink ret = new SetEntityLink(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetEntityLink(vehicle: " ~ std.conv.to!string(this.vehicle) ~ ", passenger: " ~ std.conv.to!string(this.passenger) ~ ", action: " ~ std.conv.to!string(this.action) ~ ")"; } } class SetHealth : Buffer { public enum ubyte ID = 42; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["health"]; public int health; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int health) { this.health = health; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(health)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } health=varint.decode(_buffer, &_index); } public static pure nothrow @safe SetHealth fromBuffer(bool readId=true)(ubyte[] buffer) { SetHealth ret = new SetHealth(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetHealth(health: " ~ std.conv.to!string(this.health) ~ ")"; } } class SetSpawnPosition : Buffer { public enum ubyte ID = 43; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // type public enum int PLAYER_SPAWN = 0; public enum int WORLD_SPAWN = 1; public enum string[] FIELDS = ["type", "position", "forced"]; public int type; public sul.protocol.pocket113.types.BlockPosition position; public bool forced; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int type, sul.protocol.pocket113.types.BlockPosition position=sul.protocol.pocket113.types.BlockPosition.init, bool forced=bool.init) { this.type = type; this.position = position; this.forced = forced; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(type)); position.encode(bufferInstance); writeBigEndianBool(forced); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } type=varint.decode(_buffer, &_index); position.decode(bufferInstance); forced=readBigEndianBool(); } public static pure nothrow @safe SetSpawnPosition fromBuffer(bool readId=true)(ubyte[] buffer) { SetSpawnPosition ret = new SetSpawnPosition(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetSpawnPosition(type: " ~ std.conv.to!string(this.type) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", forced: " ~ std.conv.to!string(this.forced) ~ ")"; } } class Animate : Buffer { public enum ubyte ID = 44; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; // action public enum int BREAKING = 1; public enum int WAKE_UP = 3; public enum string[] FIELDS = ["action", "entityId", "unknown2"]; public int action; public long entityId; public float unknown2; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int action, long entityId=long.init, float unknown2=float.init) { this.action = action; this.entityId = entityId; this.unknown2 = unknown2; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(action)); writeBytes(varlong.encode(entityId)); if(action>128){ writeLittleEndianFloat(unknown2); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } action=varint.decode(_buffer, &_index); entityId=varlong.decode(_buffer, &_index); if(action>128){ unknown2=readLittleEndianFloat(); } } public static pure nothrow @safe Animate fromBuffer(bool readId=true)(ubyte[] buffer) { Animate ret = new Animate(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "Animate(action: " ~ std.conv.to!string(this.action) ~ ", entityId: " ~ std.conv.to!string(this.entityId) ~ ", unknown2: " ~ std.conv.to!string(this.unknown2) ~ ")"; } } class Respawn : Buffer { public enum ubyte ID = 45; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["position"]; public Tuple!(float, "x", float, "y", float, "z") position; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(Tuple!(float, "x", float, "y", float, "z") position) { this.position = position; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); } public static pure nothrow @safe Respawn fromBuffer(bool readId=true)(ubyte[] buffer) { Respawn ret = new Respawn(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "Respawn(position: " ~ std.conv.to!string(this.position) ~ ")"; } } class DropItem : Buffer { public enum ubyte ID = 46; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; // action public enum ubyte DROP = 0; public enum string[] FIELDS = ["action", "item"]; public ubyte action; public sul.protocol.pocket113.types.Slot item; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte action, sul.protocol.pocket113.types.Slot item=sul.protocol.pocket113.types.Slot.init) { this.action = action; this.item = item; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(action); item.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } action=readBigEndianUbyte(); item.decode(bufferInstance); } public static pure nothrow @safe DropItem fromBuffer(bool readId=true)(ubyte[] buffer) { DropItem ret = new DropItem(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "DropItem(action: " ~ std.conv.to!string(this.action) ~ ", item: " ~ std.conv.to!string(this.item) ~ ")"; } } class InventoryAction : Buffer { public enum ubyte ID = 47; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["action", "item", "unknown2", "unknown3"]; public int action; public sul.protocol.pocket113.types.Slot item; public int unknown2; public int unknown3; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int action, sul.protocol.pocket113.types.Slot item=sul.protocol.pocket113.types.Slot.init, int unknown2=int.init, int unknown3=int.init) { this.action = action; this.item = item; this.unknown2 = unknown2; this.unknown3 = unknown3; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(action)); item.encode(bufferInstance); writeBytes(varint.encode(unknown2)); writeBytes(varint.encode(unknown3)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } action=varint.decode(_buffer, &_index); item.decode(bufferInstance); unknown2=varint.decode(_buffer, &_index); unknown3=varint.decode(_buffer, &_index); } public static pure nothrow @safe InventoryAction fromBuffer(bool readId=true)(ubyte[] buffer) { InventoryAction ret = new InventoryAction(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "InventoryAction(action: " ~ std.conv.to!string(this.action) ~ ", item: " ~ std.conv.to!string(this.item) ~ ", unknown2: " ~ std.conv.to!string(this.unknown2) ~ ", unknown3: " ~ std.conv.to!string(this.unknown3) ~ ")"; } } class ContainerOpen : Buffer { public enum ubyte ID = 48; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["window", "type", "position", "entityId"]; public ubyte window; public ubyte type; public sul.protocol.pocket113.types.BlockPosition position; public long entityId; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte window, ubyte type=ubyte.init, sul.protocol.pocket113.types.BlockPosition position=sul.protocol.pocket113.types.BlockPosition.init, long entityId=long.init) { this.window = window; this.type = type; this.position = position; this.entityId = entityId; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(window); writeBigEndianUbyte(type); position.encode(bufferInstance); writeBytes(varlong.encode(entityId)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } window=readBigEndianUbyte(); type=readBigEndianUbyte(); position.decode(bufferInstance); entityId=varlong.decode(_buffer, &_index); } public static pure nothrow @safe ContainerOpen fromBuffer(bool readId=true)(ubyte[] buffer) { ContainerOpen ret = new ContainerOpen(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ContainerOpen(window: " ~ std.conv.to!string(this.window) ~ ", type: " ~ std.conv.to!string(this.type) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", entityId: " ~ std.conv.to!string(this.entityId) ~ ")"; } } class ContainerClose : Buffer { public enum ubyte ID = 49; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["window"]; public ubyte window; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte window) { this.window = window; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(window); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } window=readBigEndianUbyte(); } public static pure nothrow @safe ContainerClose fromBuffer(bool readId=true)(ubyte[] buffer) { ContainerClose ret = new ContainerClose(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ContainerClose(window: " ~ std.conv.to!string(this.window) ~ ")"; } } class ContainerSetSlot : Buffer { public enum ubyte ID = 50; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["window", "slot", "hotbarSlot", "item", "unknown4"]; public ubyte window; public int slot; public int hotbarSlot; public sul.protocol.pocket113.types.Slot item; public ubyte unknown4; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte window, int slot=int.init, int hotbarSlot=int.init, sul.protocol.pocket113.types.Slot item=sul.protocol.pocket113.types.Slot.init, ubyte unknown4=ubyte.init) { this.window = window; this.slot = slot; this.hotbarSlot = hotbarSlot; this.item = item; this.unknown4 = unknown4; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(window); writeBytes(varint.encode(slot)); writeBytes(varint.encode(hotbarSlot)); item.encode(bufferInstance); writeBigEndianUbyte(unknown4); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } window=readBigEndianUbyte(); slot=varint.decode(_buffer, &_index); hotbarSlot=varint.decode(_buffer, &_index); item.decode(bufferInstance); unknown4=readBigEndianUbyte(); } public static pure nothrow @safe ContainerSetSlot fromBuffer(bool readId=true)(ubyte[] buffer) { ContainerSetSlot ret = new ContainerSetSlot(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ContainerSetSlot(window: " ~ std.conv.to!string(this.window) ~ ", slot: " ~ std.conv.to!string(this.slot) ~ ", hotbarSlot: " ~ std.conv.to!string(this.hotbarSlot) ~ ", item: " ~ std.conv.to!string(this.item) ~ ", unknown4: " ~ std.conv.to!string(this.unknown4) ~ ")"; } } class ContainerSetData : Buffer { public enum ubyte ID = 51; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["window", "property", "value"]; public ubyte window; public int property; public int value; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte window, int property=int.init, int value=int.init) { this.window = window; this.property = property; this.value = value; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(window); writeBytes(varint.encode(property)); writeBytes(varint.encode(value)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } window=readBigEndianUbyte(); property=varint.decode(_buffer, &_index); value=varint.decode(_buffer, &_index); } public static pure nothrow @safe ContainerSetData fromBuffer(bool readId=true)(ubyte[] buffer) { ContainerSetData ret = new ContainerSetData(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ContainerSetData(window: " ~ std.conv.to!string(this.window) ~ ", property: " ~ std.conv.to!string(this.property) ~ ", value: " ~ std.conv.to!string(this.value) ~ ")"; } } class ContainerSetContent : Buffer { public enum ubyte ID = 52; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["window", "entityId", "slots", "hotbar"]; public uint window; public long entityId; public sul.protocol.pocket113.types.Slot[] slots; public int[] hotbar; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(uint window, long entityId=long.init, sul.protocol.pocket113.types.Slot[] slots=(sul.protocol.pocket113.types.Slot[]).init, int[] hotbar=(int[]).init) { this.window = window; this.entityId = entityId; this.slots = slots; this.hotbar = hotbar; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(window)); writeBytes(varlong.encode(entityId)); writeBytes(varuint.encode(cast(uint)slots.length)); foreach(cxdm;slots){ cxdm.encode(bufferInstance); } writeBytes(varuint.encode(cast(uint)hotbar.length)); foreach(a9yf;hotbar){ writeBytes(varint.encode(a9yf)); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } window=varuint.decode(_buffer, &_index); entityId=varlong.decode(_buffer, &_index); slots.length=varuint.decode(_buffer, &_index); foreach(ref cxdm;slots){ cxdm.decode(bufferInstance); } hotbar.length=varuint.decode(_buffer, &_index); foreach(ref a9yf;hotbar){ a9yf=varint.decode(_buffer, &_index); } } public static pure nothrow @safe ContainerSetContent fromBuffer(bool readId=true)(ubyte[] buffer) { ContainerSetContent ret = new ContainerSetContent(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ContainerSetContent(window: " ~ std.conv.to!string(this.window) ~ ", entityId: " ~ std.conv.to!string(this.entityId) ~ ", slots: " ~ std.conv.to!string(this.slots) ~ ", hotbar: " ~ std.conv.to!string(this.hotbar) ~ ")"; } } class CraftingData : Buffer { public enum ubyte ID = 53; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["recipes"]; public sul.protocol.pocket113.types.Recipe[] recipes; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.Recipe[] recipes) { this.recipes = recipes; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(cast(uint)recipes.length)); foreach(cvabc;recipes){ cvabc.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } recipes.length=varuint.decode(_buffer, &_index); foreach(ref cvabc;recipes){ cvabc.decode(bufferInstance); } } public static pure nothrow @safe CraftingData fromBuffer(bool readId=true)(ubyte[] buffer) { CraftingData ret = new CraftingData(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "CraftingData(recipes: " ~ std.conv.to!string(this.recipes) ~ ")"; } } class CraftingEvent : Buffer { public enum ubyte ID = 54; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["window", "type", "uuid", "input", "output"]; public ubyte window; public int type; public sul.protocol.pocket113.types.McpeUuid uuid; public sul.protocol.pocket113.types.Slot[] input; public sul.protocol.pocket113.types.Slot[] output; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte window, int type=int.init, sul.protocol.pocket113.types.McpeUuid uuid=sul.protocol.pocket113.types.McpeUuid.init, sul.protocol.pocket113.types.Slot[] input=(sul.protocol.pocket113.types.Slot[]).init, sul.protocol.pocket113.types.Slot[] output=(sul.protocol.pocket113.types.Slot[]).init) { this.window = window; this.type = type; this.uuid = uuid; this.input = input; this.output = output; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(window); writeBytes(varint.encode(type)); uuid.encode(bufferInstance); writeBytes(varuint.encode(cast(uint)input.length)); foreach(a5dq;input){ a5dq.encode(bufferInstance); } writeBytes(varuint.encode(cast(uint)output.length)); foreach(bvcv;output){ bvcv.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } window=readBigEndianUbyte(); type=varint.decode(_buffer, &_index); uuid.decode(bufferInstance); input.length=varuint.decode(_buffer, &_index); foreach(ref a5dq;input){ a5dq.decode(bufferInstance); } output.length=varuint.decode(_buffer, &_index); foreach(ref bvcv;output){ bvcv.decode(bufferInstance); } } public static pure nothrow @safe CraftingEvent fromBuffer(bool readId=true)(ubyte[] buffer) { CraftingEvent ret = new CraftingEvent(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "CraftingEvent(window: " ~ std.conv.to!string(this.window) ~ ", type: " ~ std.conv.to!string(this.type) ~ ", uuid: " ~ std.conv.to!string(this.uuid) ~ ", input: " ~ std.conv.to!string(this.input) ~ ", output: " ~ std.conv.to!string(this.output) ~ ")"; } } class AdventureSettings : Buffer { public enum ubyte ID = 55; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; // flags public enum uint IMMUTABLE_WORLD = 1; public enum uint PVP_DISABLED = 2; public enum uint PVM_DISABLED = 4; public enum uint MVP_DISBALED = 8; public enum uint EVP_DISABLED = 16; public enum uint AUTO_JUMP = 32; public enum uint ALLOW_FLIGHT = 64; public enum uint NO_CLIP = 128; public enum uint FLYING = 512; public enum uint MUTED = 1024; // permissions public enum uint USER = 0; public enum uint OPERATOR = 1; public enum uint HOST = 2; public enum uint AUTOMATION = 3; public enum uint ADMIN = 4; public enum string[] FIELDS = ["flags", "permissions"]; public uint flags; public uint permissions; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(uint flags, uint permissions=uint.init) { this.flags = flags; this.permissions = permissions; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(flags)); writeBytes(varuint.encode(permissions)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } flags=varuint.decode(_buffer, &_index); permissions=varuint.decode(_buffer, &_index); } public static pure nothrow @safe AdventureSettings fromBuffer(bool readId=true)(ubyte[] buffer) { AdventureSettings ret = new AdventureSettings(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "AdventureSettings(flags: " ~ std.conv.to!string(this.flags) ~ ", permissions: " ~ std.conv.to!string(this.permissions) ~ ")"; } } class BlockEntityData : Buffer { public enum ubyte ID = 56; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["position", "nbt"]; public sul.protocol.pocket113.types.BlockPosition position; public ubyte[] nbt; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.BlockPosition position, ubyte[] nbt=(ubyte[]).init) { this.position = position; this.nbt = nbt; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } position.encode(bufferInstance); writeBytes(nbt); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } position.decode(bufferInstance); nbt=_buffer[_index..$].dup; _index=_buffer.length; } public static pure nothrow @safe BlockEntityData fromBuffer(bool readId=true)(ubyte[] buffer) { BlockEntityData ret = new BlockEntityData(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "BlockEntityData(position: " ~ std.conv.to!string(this.position) ~ ", nbt: " ~ std.conv.to!string(this.nbt) ~ ")"; } } class PlayerInput : Buffer { public enum ubyte ID = 57; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["sideways", "forward", "unknown2", "unknown3"]; public float sideways; public float forward; public bool unknown2; public bool unknown3; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(float sideways, float forward=float.init, bool unknown2=bool.init, bool unknown3=bool.init) { this.sideways = sideways; this.forward = forward; this.unknown2 = unknown2; this.unknown3 = unknown3; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeLittleEndianFloat(sideways); writeLittleEndianFloat(forward); writeBigEndianBool(unknown2); writeBigEndianBool(unknown3); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } sideways=readLittleEndianFloat(); forward=readLittleEndianFloat(); unknown2=readBigEndianBool(); unknown3=readBigEndianBool(); } public static pure nothrow @safe PlayerInput fromBuffer(bool readId=true)(ubyte[] buffer) { PlayerInput ret = new PlayerInput(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "PlayerInput(sideways: " ~ std.conv.to!string(this.sideways) ~ ", forward: " ~ std.conv.to!string(this.forward) ~ ", unknown2: " ~ std.conv.to!string(this.unknown2) ~ ", unknown3: " ~ std.conv.to!string(this.unknown3) ~ ")"; } } class FullChunkData : Buffer { public enum ubyte ID = 58; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["position", "data"]; public Tuple!(int, "x", int, "z") position; public sul.protocol.pocket113.types.ChunkData data; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(Tuple!(int, "x", int, "z") position, sul.protocol.pocket113.types.ChunkData data=sul.protocol.pocket113.types.ChunkData.init) { this.position = position; this.data = data; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(position.x)); writeBytes(varint.encode(position.z)); data.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } position.x=varint.decode(_buffer, &_index); position.z=varint.decode(_buffer, &_index); data.decode(bufferInstance); } public static pure nothrow @safe FullChunkData fromBuffer(bool readId=true)(ubyte[] buffer) { FullChunkData ret = new FullChunkData(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "FullChunkData(position: " ~ std.conv.to!string(this.position) ~ ", data: " ~ std.conv.to!string(this.data) ~ ")"; } } class SetCommandsEnabled : Buffer { public enum ubyte ID = 59; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["enabled"]; public bool enabled; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(bool enabled) { this.enabled = enabled; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianBool(enabled); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } enabled=readBigEndianBool(); } public static pure nothrow @safe SetCommandsEnabled fromBuffer(bool readId=true)(ubyte[] buffer) { SetCommandsEnabled ret = new SetCommandsEnabled(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetCommandsEnabled(enabled: " ~ std.conv.to!string(this.enabled) ~ ")"; } } class SetDifficulty : Buffer { public enum ubyte ID = 60; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // difficulty public enum uint PEACEFUL = 0; public enum uint EASY = 1; public enum uint NORMAL = 2; public enum uint HARD = 3; public enum string[] FIELDS = ["difficulty"]; public uint difficulty; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(uint difficulty) { this.difficulty = difficulty; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(difficulty)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } difficulty=varuint.decode(_buffer, &_index); } public static pure nothrow @safe SetDifficulty fromBuffer(bool readId=true)(ubyte[] buffer) { SetDifficulty ret = new SetDifficulty(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetDifficulty(difficulty: " ~ std.conv.to!string(this.difficulty) ~ ")"; } } class ChangeDimension : Buffer { public enum ubyte ID = 61; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // dimension public enum int OVERWORLD = 0; public enum int NETHER = 1; public enum int END = 2; public enum string[] FIELDS = ["dimension", "position", "unknown2"]; public int dimension; public Tuple!(float, "x", float, "y", float, "z") position; public bool unknown2; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int dimension, Tuple!(float, "x", float, "y", float, "z") position=Tuple!(float, "x", float, "y", float, "z").init, bool unknown2=bool.init) { this.dimension = dimension; this.position = position; this.unknown2 = unknown2; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(dimension)); writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeBigEndianBool(unknown2); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } dimension=varint.decode(_buffer, &_index); position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); unknown2=readBigEndianBool(); } public static pure nothrow @safe ChangeDimension fromBuffer(bool readId=true)(ubyte[] buffer) { ChangeDimension ret = new ChangeDimension(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ChangeDimension(dimension: " ~ std.conv.to!string(this.dimension) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", unknown2: " ~ std.conv.to!string(this.unknown2) ~ ")"; } } class SetPlayerGameType : Buffer { public enum ubyte ID = 62; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; // gamemode public enum int SURVIVAL = 0; public enum int CREATIVE = 1; public enum int ADVENTURE = 2; public enum string[] FIELDS = ["gamemode"]; public int gamemode; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int gamemode) { this.gamemode = gamemode; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(gamemode)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } gamemode=varint.decode(_buffer, &_index); } public static pure nothrow @safe SetPlayerGameType fromBuffer(bool readId=true)(ubyte[] buffer) { SetPlayerGameType ret = new SetPlayerGameType(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetPlayerGameType(gamemode: " ~ std.conv.to!string(this.gamemode) ~ ")"; } } class PlayerList : Buffer { public enum ubyte ID = 63; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["action"]; public ubyte action; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte action) { this.action = action; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(action); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } action=readBigEndianUbyte(); } public static pure nothrow @safe PlayerList fromBuffer(bool readId=true)(ubyte[] buffer) { PlayerList ret = new PlayerList(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "PlayerList(action: " ~ std.conv.to!string(this.action) ~ ")"; } alias _encode = encode; enum string variantField = "action"; alias Variants = TypeTuple!(Add, Remove); public class Add { public enum typeof(action) ACTION = 0; public enum string[] FIELDS = ["players"]; public sul.protocol.pocket113.types.PlayerList[] players; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.PlayerList[] players) { this.players = players; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { action = 0; _encode!writeId(); writeBytes(varuint.encode(cast(uint)players.length)); foreach(cxevc;players){ cxevc.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode() { players.length=varuint.decode(_buffer, &_index); foreach(ref cxevc;players){ cxevc.decode(bufferInstance); } } public override string toString() { return "PlayerList.Add(players: " ~ std.conv.to!string(this.players) ~ ")"; } } public class Remove { public enum typeof(action) ACTION = 1; public enum string[] FIELDS = ["players"]; public sul.protocol.pocket113.types.McpeUuid[] players; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.McpeUuid[] players) { this.players = players; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { action = 1; _encode!writeId(); writeBytes(varuint.encode(cast(uint)players.length)); foreach(cxevc;players){ cxevc.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode() { players.length=varuint.decode(_buffer, &_index); foreach(ref cxevc;players){ cxevc.decode(bufferInstance); } } public override string toString() { return "PlayerList.Remove(players: " ~ std.conv.to!string(this.players) ~ ")"; } } } class SimpleEvent : Buffer { public enum ubyte ID = 64; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; public enum string[] FIELDS = []; public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } } public static pure nothrow @safe SimpleEvent fromBuffer(bool readId=true)(ubyte[] buffer) { SimpleEvent ret = new SimpleEvent(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SimpleEvent()"; } } class TelemetryEvent : Buffer { public enum ubyte ID = 65; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["entityId", "eventId"]; public long entityId; public int eventId; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, int eventId=int.init) { this.entityId = entityId; this.eventId = eventId; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBytes(varint.encode(eventId)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); eventId=varint.decode(_buffer, &_index); } public static pure nothrow @safe TelemetryEvent fromBuffer(bool readId=true)(ubyte[] buffer) { TelemetryEvent ret = new TelemetryEvent(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "TelemetryEvent(entityId: " ~ std.conv.to!string(this.entityId) ~ ", eventId: " ~ std.conv.to!string(this.eventId) ~ ")"; } } class SpawnExperienceOrb : Buffer { public enum ubyte ID = 66; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["position", "count"]; public Tuple!(float, "x", float, "y", float, "z") position; public int count; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(Tuple!(float, "x", float, "y", float, "z") position, int count=int.init) { this.position = position; this.count = count; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeLittleEndianFloat(position.x); writeLittleEndianFloat(position.y); writeLittleEndianFloat(position.z); writeBytes(varint.encode(count)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } position.x=readLittleEndianFloat(); position.y=readLittleEndianFloat(); position.z=readLittleEndianFloat(); count=varint.decode(_buffer, &_index); } public static pure nothrow @safe SpawnExperienceOrb fromBuffer(bool readId=true)(ubyte[] buffer) { SpawnExperienceOrb ret = new SpawnExperienceOrb(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SpawnExperienceOrb(position: " ~ std.conv.to!string(this.position) ~ ", count: " ~ std.conv.to!string(this.count) ~ ")"; } } class ClientboundMapItemData : Buffer { public enum ubyte ID = 67; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // update public enum uint TEXTURE = 2; public enum uint DECORATIONS = 4; public enum uint ENTITIES = 8; public enum string[] FIELDS = ["mapId", "update", "scale", "size", "offset", "data", "decorations"]; public long mapId; public uint update; public ubyte scale; public Tuple!(int, "x", int, "z") size; public Tuple!(int, "x", int, "z") offset; public ubyte[] data; public sul.protocol.pocket113.types.Decoration[] decorations; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long mapId, uint update=uint.init, ubyte scale=ubyte.init, Tuple!(int, "x", int, "z") size=Tuple!(int, "x", int, "z").init, Tuple!(int, "x", int, "z") offset=Tuple!(int, "x", int, "z").init, ubyte[] data=(ubyte[]).init, sul.protocol.pocket113.types.Decoration[] decorations=(sul.protocol.pocket113.types.Decoration[]).init) { this.mapId = mapId; this.update = update; this.scale = scale; this.size = size; this.offset = offset; this.data = data; this.decorations = decorations; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(mapId)); writeBytes(varuint.encode(update)); if(update==2||update==4){ writeBigEndianUbyte(scale); } if(update==2){ writeBytes(varint.encode(size.x)); writeBytes(varint.encode(size.z)); } if(update==2){ writeBytes(varint.encode(offset.x)); writeBytes(varint.encode(offset.z)); } if(update==2){ writeBytes(data); } if(update==4){ writeBytes(varuint.encode(cast(uint)decorations.length)); foreach(zvbjdlbm;decorations){ zvbjdlbm.encode(bufferInstance); } } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } mapId=varlong.decode(_buffer, &_index); update=varuint.decode(_buffer, &_index); if(update==2||update==4){ scale=readBigEndianUbyte(); } if(update==2){ size.x=varint.decode(_buffer, &_index); size.z=varint.decode(_buffer, &_index); } if(update==2){ offset.x=varint.decode(_buffer, &_index); offset.z=varint.decode(_buffer, &_index); } if(update==2){ data=_buffer[_index..$].dup; _index=_buffer.length; } if(update==4){ decorations.length=varuint.decode(_buffer, &_index); foreach(ref zvbjdlbm;decorations){ zvbjdlbm.decode(bufferInstance); } } } public static pure nothrow @safe ClientboundMapItemData fromBuffer(bool readId=true)(ubyte[] buffer) { ClientboundMapItemData ret = new ClientboundMapItemData(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ClientboundMapItemData(mapId: " ~ std.conv.to!string(this.mapId) ~ ", update: " ~ std.conv.to!string(this.update) ~ ", scale: " ~ std.conv.to!string(this.scale) ~ ", size: " ~ std.conv.to!string(this.size) ~ ", offset: " ~ std.conv.to!string(this.offset) ~ ", data: " ~ std.conv.to!string(this.data) ~ ", decorations: " ~ std.conv.to!string(this.decorations) ~ ")"; } } class MapInfoRequest : Buffer { public enum ubyte ID = 68; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["mapId"]; public long mapId; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long mapId) { this.mapId = mapId; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(mapId)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } mapId=varlong.decode(_buffer, &_index); } public static pure nothrow @safe MapInfoRequest fromBuffer(bool readId=true)(ubyte[] buffer) { MapInfoRequest ret = new MapInfoRequest(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "MapInfoRequest(mapId: " ~ std.conv.to!string(this.mapId) ~ ")"; } } class RequestChunkRadius : Buffer { public enum ubyte ID = 69; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["radius"]; public int radius; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int radius) { this.radius = radius; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(radius)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } radius=varint.decode(_buffer, &_index); } public static pure nothrow @safe RequestChunkRadius fromBuffer(bool readId=true)(ubyte[] buffer) { RequestChunkRadius ret = new RequestChunkRadius(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "RequestChunkRadius(radius: " ~ std.conv.to!string(this.radius) ~ ")"; } } class ChunkRadiusUpdated : Buffer { public enum ubyte ID = 70; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["radius"]; public int radius; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int radius) { this.radius = radius; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(radius)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } radius=varint.decode(_buffer, &_index); } public static pure nothrow @safe ChunkRadiusUpdated fromBuffer(bool readId=true)(ubyte[] buffer) { ChunkRadiusUpdated ret = new ChunkRadiusUpdated(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ChunkRadiusUpdated(radius: " ~ std.conv.to!string(this.radius) ~ ")"; } } class ItemFrameDropItem : Buffer { public enum ubyte ID = 71; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["position", "item"]; public sul.protocol.pocket113.types.BlockPosition position; public sul.protocol.pocket113.types.Slot item; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.BlockPosition position, sul.protocol.pocket113.types.Slot item=sul.protocol.pocket113.types.Slot.init) { this.position = position; this.item = item; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } position.encode(bufferInstance); item.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } position.decode(bufferInstance); item.decode(bufferInstance); } public static pure nothrow @safe ItemFrameDropItem fromBuffer(bool readId=true)(ubyte[] buffer) { ItemFrameDropItem ret = new ItemFrameDropItem(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ItemFrameDropItem(position: " ~ std.conv.to!string(this.position) ~ ", item: " ~ std.conv.to!string(this.item) ~ ")"; } } class ReplaceItemInSlot : Buffer { public enum ubyte ID = 72; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["item"]; public sul.protocol.pocket113.types.Slot item; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.Slot item) { this.item = item; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } item.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } item.decode(bufferInstance); } public static pure nothrow @safe ReplaceItemInSlot fromBuffer(bool readId=true)(ubyte[] buffer) { ReplaceItemInSlot ret = new ReplaceItemInSlot(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ReplaceItemInSlot(item: " ~ std.conv.to!string(this.item) ~ ")"; } } class GameRulesChanged : Buffer { public enum ubyte ID = 73; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["rules"]; public sul.protocol.pocket113.types.Rule[] rules; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.Rule[] rules) { this.rules = rules; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUint(cast(uint)rules.length); foreach(cvzm;rules){ cvzm.encode(bufferInstance); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } rules.length=readBigEndianUint(); foreach(ref cvzm;rules){ cvzm.decode(bufferInstance); } } public static pure nothrow @safe GameRulesChanged fromBuffer(bool readId=true)(ubyte[] buffer) { GameRulesChanged ret = new GameRulesChanged(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "GameRulesChanged(rules: " ~ std.conv.to!string(this.rules) ~ ")"; } } class Camera : Buffer { public enum ubyte ID = 74; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["unknown0", "unknown1"]; public long unknown0; public long unknown1; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long unknown0, long unknown1=long.init) { this.unknown0 = unknown0; this.unknown1 = unknown1; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(unknown0)); writeBytes(varlong.encode(unknown1)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } unknown0=varlong.decode(_buffer, &_index); unknown1=varlong.decode(_buffer, &_index); } public static pure nothrow @safe Camera fromBuffer(bool readId=true)(ubyte[] buffer) { Camera ret = new Camera(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "Camera(unknown0: " ~ std.conv.to!string(this.unknown0) ~ ", unknown1: " ~ std.conv.to!string(this.unknown1) ~ ")"; } } class AddItem : Buffer { public enum ubyte ID = 75; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["item"]; public sul.protocol.pocket113.types.Slot item; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(sul.protocol.pocket113.types.Slot item) { this.item = item; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } item.encode(bufferInstance); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } item.decode(bufferInstance); } public static pure nothrow @safe AddItem fromBuffer(bool readId=true)(ubyte[] buffer) { AddItem ret = new AddItem(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "AddItem(item: " ~ std.conv.to!string(this.item) ~ ")"; } } class BossEvent : Buffer { public enum ubyte ID = 76; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // event id public enum uint ADD = 0; public enum uint UPDATE = 1; public enum uint REMOVE = 2; public enum string[] FIELDS = ["entityId", "eventId"]; public long entityId; public uint eventId; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, uint eventId=uint.init) { this.entityId = entityId; this.eventId = eventId; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBytes(varuint.encode(eventId)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); eventId=varuint.decode(_buffer, &_index); } public static pure nothrow @safe BossEvent fromBuffer(bool readId=true)(ubyte[] buffer) { BossEvent ret = new BossEvent(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "BossEvent(entityId: " ~ std.conv.to!string(this.entityId) ~ ", eventId: " ~ std.conv.to!string(this.eventId) ~ ")"; } } class ShowCredits : Buffer { public enum ubyte ID = 77; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; // status public enum int START = 0; public enum int END = 1; public enum string[] FIELDS = ["entityId", "status"]; public long entityId; public int status; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(long entityId, int status=int.init) { this.entityId = entityId; this.status = status; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varlong.encode(entityId)); writeBytes(varint.encode(status)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } entityId=varlong.decode(_buffer, &_index); status=varint.decode(_buffer, &_index); } public static pure nothrow @safe ShowCredits fromBuffer(bool readId=true)(ubyte[] buffer) { ShowCredits ret = new ShowCredits(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ShowCredits(entityId: " ~ std.conv.to!string(this.entityId) ~ ", status: " ~ std.conv.to!string(this.status) ~ ")"; } } class AvailableCommands : Buffer { public enum ubyte ID = 78; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["commands", "unknown1"]; public string commands; public string unknown1; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string commands, string unknown1=string.init) { this.commands = commands; this.unknown1 = unknown1; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(cast(uint)commands.length)); writeString(commands); writeBytes(varuint.encode(cast(uint)unknown1.length)); writeString(unknown1); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } uint y9bfzm=varuint.decode(_buffer, &_index); commands=readString(y9bfzm); uint d5b9be=varuint.decode(_buffer, &_index); unknown1=readString(d5b9be); } public static pure nothrow @safe AvailableCommands fromBuffer(bool readId=true)(ubyte[] buffer) { AvailableCommands ret = new AvailableCommands(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "AvailableCommands(commands: " ~ std.conv.to!string(this.commands) ~ ", unknown1: " ~ std.conv.to!string(this.unknown1) ~ ")"; } } class CommandStep : Buffer { public enum ubyte ID = 79; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["command", "overload", "unknown2", "currentStep", "done", "clientId", "input", "output"]; public string command; public string overload; public uint unknown2; public uint currentStep; public bool done; public ulong clientId; public string input; public string output; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string command, string overload=string.init, uint unknown2=uint.init, uint currentStep=uint.init, bool done=bool.init, ulong clientId=ulong.init, string input=string.init, string output=string.init) { this.command = command; this.overload = overload; this.unknown2 = unknown2; this.currentStep = currentStep; this.done = done; this.clientId = clientId; this.input = input; this.output = output; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(cast(uint)command.length)); writeString(command); writeBytes(varuint.encode(cast(uint)overload.length)); writeString(overload); writeBytes(varuint.encode(unknown2)); writeBytes(varuint.encode(currentStep)); writeBigEndianBool(done); writeBytes(varulong.encode(clientId)); writeBytes(varuint.encode(cast(uint)input.length)); writeString(input); writeBytes(varuint.encode(cast(uint)output.length)); writeString(output); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } uint y9bfz=varuint.decode(_buffer, &_index); command=readString(y9bfz); uint bzcxyq=varuint.decode(_buffer, &_index); overload=readString(bzcxyq); unknown2=varuint.decode(_buffer, &_index); currentStep=varuint.decode(_buffer, &_index); done=readBigEndianBool(); clientId=varulong.decode(_buffer, &_index); uint a5dq=varuint.decode(_buffer, &_index); input=readString(a5dq); uint bvcv=varuint.decode(_buffer, &_index); output=readString(bvcv); } public static pure nothrow @safe CommandStep fromBuffer(bool readId=true)(ubyte[] buffer) { CommandStep ret = new CommandStep(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "CommandStep(command: " ~ std.conv.to!string(this.command) ~ ", overload: " ~ std.conv.to!string(this.overload) ~ ", unknown2: " ~ std.conv.to!string(this.unknown2) ~ ", currentStep: " ~ std.conv.to!string(this.currentStep) ~ ", done: " ~ std.conv.to!string(this.done) ~ ", clientId: " ~ std.conv.to!string(this.clientId) ~ ", input: " ~ std.conv.to!string(this.input) ~ ", output: " ~ std.conv.to!string(this.output) ~ ")"; } } class CommandBlockUpdate : Buffer { public enum ubyte ID = 80; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["updateBlock", "position", "mode", "redstoneMode", "conditional", "minecart", "command", "lastOutput", "hover", "trackOutput"]; public bool updateBlock; public sul.protocol.pocket113.types.BlockPosition position; public uint mode; public bool redstoneMode; public bool conditional; public long minecart; public string command; public string lastOutput; public string hover; public bool trackOutput; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(bool updateBlock, sul.protocol.pocket113.types.BlockPosition position=sul.protocol.pocket113.types.BlockPosition.init, uint mode=uint.init, bool redstoneMode=bool.init, bool conditional=bool.init, long minecart=long.init, string command=string.init, string lastOutput=string.init, string hover=string.init, bool trackOutput=bool.init) { this.updateBlock = updateBlock; this.position = position; this.mode = mode; this.redstoneMode = redstoneMode; this.conditional = conditional; this.minecart = minecart; this.command = command; this.lastOutput = lastOutput; this.hover = hover; this.trackOutput = trackOutput; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianBool(updateBlock); if(updateBlock==true){ position.encode(bufferInstance); } if(updateBlock==true){ writeBytes(varuint.encode(mode)); } if(updateBlock==true){ writeBigEndianBool(redstoneMode); } if(updateBlock==true){ writeBigEndianBool(conditional); } if(updateBlock==false){ writeBytes(varlong.encode(minecart)); } writeBytes(varuint.encode(cast(uint)command.length)); writeString(command); writeBytes(varuint.encode(cast(uint)lastOutput.length)); writeString(lastOutput); writeBytes(varuint.encode(cast(uint)hover.length)); writeString(hover); writeBigEndianBool(trackOutput); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } updateBlock=readBigEndianBool(); if(updateBlock==true){ position.decode(bufferInstance); } if(updateBlock==true){ mode=varuint.decode(_buffer, &_index); } if(updateBlock==true){ redstoneMode=readBigEndianBool(); } if(updateBlock==true){ conditional=readBigEndianBool(); } if(updateBlock==false){ minecart=varlong.decode(_buffer, &_index); } uint y9bfz=varuint.decode(_buffer, &_index); command=readString(y9bfz); uint bfd9dbd=varuint.decode(_buffer, &_index); lastOutput=readString(bfd9dbd); uint a9zi=varuint.decode(_buffer, &_index); hover=readString(a9zi); trackOutput=readBigEndianBool(); } public static pure nothrow @safe CommandBlockUpdate fromBuffer(bool readId=true)(ubyte[] buffer) { CommandBlockUpdate ret = new CommandBlockUpdate(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "CommandBlockUpdate(updateBlock: " ~ std.conv.to!string(this.updateBlock) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", mode: " ~ std.conv.to!string(this.mode) ~ ", redstoneMode: " ~ std.conv.to!string(this.redstoneMode) ~ ", conditional: " ~ std.conv.to!string(this.conditional) ~ ", minecart: " ~ std.conv.to!string(this.minecart) ~ ", command: " ~ std.conv.to!string(this.command) ~ ", lastOutput: " ~ std.conv.to!string(this.lastOutput) ~ ", hover: " ~ std.conv.to!string(this.hover) ~ ", trackOutput: " ~ std.conv.to!string(this.trackOutput) ~ ")"; } } class UpdateTrade : Buffer { public enum ubyte ID = 81; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["window", "windowType", "unknown2", "unknown3", "willing", "trader", "player", "displayName", "offers"]; public ubyte window; public ubyte windowType = 15; public int unknown2; public int unknown3; public bool willing; public long trader; public long player; public string displayName; public ubyte[] offers; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(ubyte window, ubyte windowType=15, int unknown2=int.init, int unknown3=int.init, bool willing=bool.init, long trader=long.init, long player=long.init, string displayName=string.init, ubyte[] offers=(ubyte[]).init) { this.window = window; this.windowType = windowType; this.unknown2 = unknown2; this.unknown3 = unknown3; this.willing = willing; this.trader = trader; this.player = player; this.displayName = displayName; this.offers = offers; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBigEndianUbyte(window); writeBigEndianUbyte(windowType); writeBytes(varint.encode(unknown2)); writeBytes(varint.encode(unknown3)); writeBigEndianBool(willing); writeBytes(varlong.encode(trader)); writeBytes(varlong.encode(player)); writeBytes(varuint.encode(cast(uint)displayName.length)); writeString(displayName); writeBytes(offers); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } window=readBigEndianUbyte(); windowType=readBigEndianUbyte(); unknown2=varint.decode(_buffer, &_index); unknown3=varint.decode(_buffer, &_index); willing=readBigEndianBool(); trader=varlong.decode(_buffer, &_index); player=varlong.decode(_buffer, &_index); uint zlcxe5bu=varuint.decode(_buffer, &_index); displayName=readString(zlcxe5bu); offers=_buffer[_index..$].dup; _index=_buffer.length; } public static pure nothrow @safe UpdateTrade fromBuffer(bool readId=true)(ubyte[] buffer) { UpdateTrade ret = new UpdateTrade(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "UpdateTrade(window: " ~ std.conv.to!string(this.window) ~ ", windowType: " ~ std.conv.to!string(this.windowType) ~ ", unknown2: " ~ std.conv.to!string(this.unknown2) ~ ", unknown3: " ~ std.conv.to!string(this.unknown3) ~ ", willing: " ~ std.conv.to!string(this.willing) ~ ", trader: " ~ std.conv.to!string(this.trader) ~ ", player: " ~ std.conv.to!string(this.player) ~ ", displayName: " ~ std.conv.to!string(this.displayName) ~ ", offers: " ~ std.conv.to!string(this.offers) ~ ")"; } } class UpdateEquip : Buffer { public enum ubyte ID = 82; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = []; public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } } public static pure nothrow @safe UpdateEquip fromBuffer(bool readId=true)(ubyte[] buffer) { UpdateEquip ret = new UpdateEquip(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "UpdateEquip()"; } } class ResourcePackDataInfo : Buffer { public enum ubyte ID = 83; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["id", "maxChunkSize", "chunkCount", "compressedPackSize", "sha256"]; public string id; public uint maxChunkSize; public uint chunkCount; public ulong compressedPackSize; public string sha256; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string id, uint maxChunkSize=uint.init, uint chunkCount=uint.init, ulong compressedPackSize=ulong.init, string sha256=string.init) { this.id = id; this.maxChunkSize = maxChunkSize; this.chunkCount = chunkCount; this.compressedPackSize = compressedPackSize; this.sha256 = sha256; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(cast(uint)id.length)); writeString(id); writeLittleEndianUint(maxChunkSize); writeLittleEndianUint(chunkCount); writeLittleEndianUlong(compressedPackSize); writeBytes(varuint.encode(cast(uint)sha256.length)); writeString(sha256); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } uint aq=varuint.decode(_buffer, &_index); id=readString(aq); maxChunkSize=readLittleEndianUint(); chunkCount=readLittleEndianUint(); compressedPackSize=readLittleEndianUlong(); uint chmu=varuint.decode(_buffer, &_index); sha256=readString(chmu); } public static pure nothrow @safe ResourcePackDataInfo fromBuffer(bool readId=true)(ubyte[] buffer) { ResourcePackDataInfo ret = new ResourcePackDataInfo(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ResourcePackDataInfo(id: " ~ std.conv.to!string(this.id) ~ ", maxChunkSize: " ~ std.conv.to!string(this.maxChunkSize) ~ ", chunkCount: " ~ std.conv.to!string(this.chunkCount) ~ ", compressedPackSize: " ~ std.conv.to!string(this.compressedPackSize) ~ ", sha256: " ~ std.conv.to!string(this.sha256) ~ ")"; } } class ResourcePackChunkData : Buffer { public enum ubyte ID = 84; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["id", "chunkIndex", "progress", "data"]; public string id; public uint chunkIndex; public ulong progress; public ubyte[] data; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string id, uint chunkIndex=uint.init, ulong progress=ulong.init, ubyte[] data=(ubyte[]).init) { this.id = id; this.chunkIndex = chunkIndex; this.progress = progress; this.data = data; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(cast(uint)id.length)); writeString(id); writeLittleEndianUint(chunkIndex); writeLittleEndianUlong(progress); writeLittleEndianUint(cast(uint)data.length); writeBytes(data); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } uint aq=varuint.decode(_buffer, &_index); id=readString(aq); chunkIndex=readLittleEndianUint(); progress=readLittleEndianUlong(); data.length=readLittleEndianUint(); if(_buffer.length>=_index+data.length){ data=_buffer[_index.._index+data.length].dup; _index+=data.length; } } public static pure nothrow @safe ResourcePackChunkData fromBuffer(bool readId=true)(ubyte[] buffer) { ResourcePackChunkData ret = new ResourcePackChunkData(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ResourcePackChunkData(id: " ~ std.conv.to!string(this.id) ~ ", chunkIndex: " ~ std.conv.to!string(this.chunkIndex) ~ ", progress: " ~ std.conv.to!string(this.progress) ~ ", data: " ~ std.conv.to!string(this.data) ~ ")"; } } class ResourcePackChunkRequest : Buffer { public enum ubyte ID = 85; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = ["id", "chunkIndex"]; public string id; public uint chunkIndex; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string id, uint chunkIndex=uint.init) { this.id = id; this.chunkIndex = chunkIndex; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(cast(uint)id.length)); writeString(id); writeLittleEndianUint(chunkIndex); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } uint aq=varuint.decode(_buffer, &_index); id=readString(aq); chunkIndex=readLittleEndianUint(); } public static pure nothrow @safe ResourcePackChunkRequest fromBuffer(bool readId=true)(ubyte[] buffer) { ResourcePackChunkRequest ret = new ResourcePackChunkRequest(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ResourcePackChunkRequest(id: " ~ std.conv.to!string(this.id) ~ ", chunkIndex: " ~ std.conv.to!string(this.chunkIndex) ~ ")"; } } class Transfer : Buffer { public enum ubyte ID = 86; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["ip", "port"]; public string ip; public ushort port = 19132; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string ip, ushort port=19132) { this.ip = ip; this.port = port; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(cast(uint)ip.length)); writeString(ip); writeLittleEndianUshort(port); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } uint aa=varuint.decode(_buffer, &_index); ip=readString(aa); port=readLittleEndianUshort(); } public static pure nothrow @safe Transfer fromBuffer(bool readId=true)(ubyte[] buffer) { Transfer ret = new Transfer(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "Transfer(ip: " ~ std.conv.to!string(this.ip) ~ ", port: " ~ std.conv.to!string(this.port) ~ ")"; } } class PlaySound : Buffer { public enum ubyte ID = 87; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["name", "position", "volume", "pitch"]; public string name; public sul.protocol.pocket113.types.BlockPosition position; public float volume; public float pitch; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string name, sul.protocol.pocket113.types.BlockPosition position=sul.protocol.pocket113.types.BlockPosition.init, float volume=float.init, float pitch=float.init) { this.name = name; this.position = position; this.volume = volume; this.pitch = pitch; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(cast(uint)name.length)); writeString(name); position.encode(bufferInstance); writeLittleEndianFloat(volume); writeLittleEndianFloat(pitch); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } uint bfz=varuint.decode(_buffer, &_index); name=readString(bfz); position.decode(bufferInstance); volume=readLittleEndianFloat(); pitch=readLittleEndianFloat(); } public static pure nothrow @safe PlaySound fromBuffer(bool readId=true)(ubyte[] buffer) { PlaySound ret = new PlaySound(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "PlaySound(name: " ~ std.conv.to!string(this.name) ~ ", position: " ~ std.conv.to!string(this.position) ~ ", volume: " ~ std.conv.to!string(this.volume) ~ ", pitch: " ~ std.conv.to!string(this.pitch) ~ ")"; } } class StopSound : Buffer { public enum ubyte ID = 88; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = ["name", "stopAll"]; public string name; public bool stopAll; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(string name, bool stopAll=bool.init) { this.name = name; this.stopAll = stopAll; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varuint.encode(cast(uint)name.length)); writeString(name); writeBigEndianBool(stopAll); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } uint bfz=varuint.decode(_buffer, &_index); name=readString(bfz); stopAll=readBigEndianBool(); } public static pure nothrow @safe StopSound fromBuffer(bool readId=true)(ubyte[] buffer) { StopSound ret = new StopSound(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "StopSound(name: " ~ std.conv.to!string(this.name) ~ ", stopAll: " ~ std.conv.to!string(this.stopAll) ~ ")"; } } class SetTitle : Buffer { public enum ubyte ID = 89; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; // action public enum int HIDE = 0; public enum int RESET = 1; public enum int SET_TITLE = 2; public enum int SET_SUBTITLE = 3; public enum int SET_ACTION_BAR = 4; public enum int SET_TIMINGS = 5; public enum string[] FIELDS = ["action", "text", "fadeIn", "stay", "fadeOut"]; public int action; public string text; public int fadeIn; public int stay; public int fadeOut; public pure nothrow @safe @nogc this() {} public pure nothrow @safe @nogc this(int action, string text=string.init, int fadeIn=int.init, int stay=int.init, int fadeOut=int.init) { this.action = action; this.text = text; this.fadeIn = fadeIn; this.stay = stay; this.fadeOut = fadeOut; } public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } writeBytes(varint.encode(action)); writeBytes(varuint.encode(cast(uint)text.length)); writeString(text); writeBytes(varint.encode(fadeIn)); writeBytes(varint.encode(stay)); writeBytes(varint.encode(fadeOut)); return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } action=varint.decode(_buffer, &_index); uint dvd=varuint.decode(_buffer, &_index); text=readString(dvd); fadeIn=varint.decode(_buffer, &_index); stay=varint.decode(_buffer, &_index); fadeOut=varint.decode(_buffer, &_index); } public static pure nothrow @safe SetTitle fromBuffer(bool readId=true)(ubyte[] buffer) { SetTitle ret = new SetTitle(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "SetTitle(action: " ~ std.conv.to!string(this.action) ~ ", text: " ~ std.conv.to!string(this.text) ~ ", fadeIn: " ~ std.conv.to!string(this.fadeIn) ~ ", stay: " ~ std.conv.to!string(this.stay) ~ ", fadeOut: " ~ std.conv.to!string(this.fadeOut) ~ ")"; } } class AddBehaviorTree : Buffer { public enum ubyte ID = 90; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = []; public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } } public static pure nothrow @safe AddBehaviorTree fromBuffer(bool readId=true)(ubyte[] buffer) { AddBehaviorTree ret = new AddBehaviorTree(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "AddBehaviorTree()"; } } class StructureBlockUpdate : Buffer { public enum ubyte ID = 91; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = []; public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } } public static pure nothrow @safe StructureBlockUpdate fromBuffer(bool readId=true)(ubyte[] buffer) { StructureBlockUpdate ret = new StructureBlockUpdate(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "StructureBlockUpdate()"; } } class ShowStoreOffer : Buffer { public enum ubyte ID = 92; public enum bool CLIENTBOUND = true; public enum bool SERVERBOUND = false; public enum string[] FIELDS = []; public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } } public static pure nothrow @safe ShowStoreOffer fromBuffer(bool readId=true)(ubyte[] buffer) { ShowStoreOffer ret = new ShowStoreOffer(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "ShowStoreOffer()"; } } class PurchaseReceipt : Buffer { public enum ubyte ID = 93; public enum bool CLIENTBOUND = false; public enum bool SERVERBOUND = true; public enum string[] FIELDS = []; public pure nothrow @safe ubyte[] encode(bool writeId=true)() { _buffer.length = 0; static if(writeId){ writeBigEndianUbyte(ID); } return _buffer; } public pure nothrow @safe void decode(bool readId=true)() { static if(readId){ ubyte _id; _id=readBigEndianUbyte(); } } public static pure nothrow @safe PurchaseReceipt fromBuffer(bool readId=true)(ubyte[] buffer) { PurchaseReceipt ret = new PurchaseReceipt(); ret._buffer = buffer; ret.decode!readId(); return ret; } public override string toString() { return "PurchaseReceipt()"; } }
D
// Written in the D programming language. /** Facilities for random number generation. The old-style functions $(D_PARAM rand_seed) and $(D_PARAM rand) will soon be deprecated as they rely on global state and as such are subjected to various thread-related issues. The new-style generator objects hold their own state so they are immune of threading issues. The generators feature a number of well-known and well-documented methods of generating random numbers. An overall fast and reliable means to generate random numbers is the $(D_PARAM Mt19937) generator, which derives its name from "$(LUCKY Mersenne Twister) with a period of 2 to the power of 19937". In memory-constrained situations, $(LUCKY linear congruential) generators such as $(D MinstdRand0) and $(D MinstdRand) might be useful. The standard library provides an alias $(D_PARAM Random) for whichever generator it considers the most fit for the target environment. Example: ---- // Generate a uniformly-distributed integer in the range [0, 14] auto i = uniform(0, 15); // Generate a uniformly-distributed real in the range [0, 100$(RPAREN) // using a specific random generator Random gen; auto r = uniform(0.0L, 100.0L, gen); ---- In addition to random number generators, this module features distributions, which skew a generator's output statistical distribution in various ways. So far the uniform distribution for integers and real numbers have been implemented. Source: $(PHOBOSSRC std/_random.d) Macros: WIKI = Phobos/StdRandom Copyright: Copyright Andrei Alexandrescu 2008 - 2009. License: <a href="http://www.boost.org/LICENSE_1_0.txt">Boost License 1.0</a>. Authors: $(WEB erdani.org, Andrei Alexandrescu) Masahiro Nakagawa (Xorshift randome generator) Credits: The entire random number library architecture is derived from the excellent $(WEB open-std.org/jtc1/sc22/wg21/docs/papers/2007/n2461.pdf, C++0X) random number facility proposed by Jens Maurer and contributed to by researchers at the Fermi laboratory(excluding Xorshift). */ /* Copyright Andrei Alexandrescu 2008 - 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 std.random; import std.algorithm, std.c.time, std.conv, std.exception, std.math, std.numeric, std.range, std.traits, core.thread, core.time; version(unittest) import std.typetuple; // Segments of the code in this file Copyright (c) 1997 by Rick Booth // From "Inner Loops" by Rick Booth, Addison-Wesley // Work derived from: /* A C-program for MT19937, with initialization improved 2002/1/26. Coded by Takuji Nishimura and Makoto Matsumoto. Before using, initialize the state by using init_genrand(seed) or init_by_array(init_key, key_length). Copyright (C) 1997 - 2002, Makoto Matsumoto and Takuji Nishimura, All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. 2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. 3. The names of its contributors may not be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. Any feedback is very welcome. http://www.math.sci.hiroshima-u.ac.jp/~m-mat/MT/emt.html email: m-mat @ math.sci.hiroshima-u.ac.jp (remove space) */ version (Windows) { extern(Windows) int QueryPerformanceCounter(ulong *count); } version (Posix) { private import core.sys.posix.sys.time; } /** * Test if Rng is a random-number generator. The overload * taking a ElementType also makes sure that the Rng generates * values of that type. * * A random-number generator has at least the following features: * $(UL * $(LI it's an InputRange) * $(LI it has a 'bool isUniformRandom' field readable in CTFE) * ) */ template isUniformRNG(Rng, ElementType) { enum bool isUniformRNG = isInputRange!Rng && is(typeof(Rng.front) == ElementType) && is(typeof( { static assert(Rng.isUniformRandom); //tag })); } /** * ditto */ template isUniformRNG(Rng) { enum bool isUniformRNG = isInputRange!Rng && is(typeof( { static assert(Rng.isUniformRandom); //tag })); } /** * Test if Rng is seedable. The overload * taking a ElementType also makes sure that the Rng generates * values of that type. * * A seedable random-number generator has the following additional features: * $(UL * $(LI it has a 'seed(ElementType)' function) * ) */ template isSeedable(Rng, ElementType) { enum bool isSeedable = isUniformRNG!(Rng, ElementType) && is(typeof( { Rng r = void; // can define a Rng object r.seed(ElementType.init); // can seed a Rng })); } ///ditto template isSeedable(Rng) { enum bool isSeedable = isUniformRNG!Rng && is(typeof( { Rng r = void; // can define a Rng object r.seed(typeof(r.front).init); // can seed a Rng })); } unittest { struct NoRng { @property uint front() {return 0;} @property bool empty() {return false;} void popFront() {} } assert(!isUniformRNG!(NoRng, uint)); assert(!isUniformRNG!(NoRng)); assert(!isSeedable!(NoRng, uint)); assert(!isSeedable!(NoRng)); struct NoRng2 { @property uint front() {return 0;} @property bool empty() {return false;} void popFront() {} enum isUniformRandom = false; } assert(!isUniformRNG!(NoRng2, uint)); assert(!isUniformRNG!(NoRng2)); assert(!isSeedable!(NoRng2, uint)); assert(!isSeedable!(NoRng2)); struct NoRng3 { @property bool empty() {return false;} void popFront() {} enum isUniformRandom = true; } assert(!isUniformRNG!(NoRng3, uint)); assert(!isUniformRNG!(NoRng3)); assert(!isSeedable!(NoRng3, uint)); assert(!isSeedable!(NoRng3)); struct validRng { @property uint front() {return 0;} @property bool empty() {return false;} void popFront() {} enum isUniformRandom = true; } assert(isUniformRNG!(validRng, uint)); assert(isUniformRNG!(validRng)); assert(!isSeedable!(validRng, uint)); assert(!isSeedable!(validRng)); struct seedRng { @property uint front() {return 0;} @property bool empty() {return false;} void popFront() {} void seed(uint val){} enum isUniformRandom = true; } assert(isUniformRNG!(seedRng, uint)); assert(isUniformRNG!(seedRng)); assert(isSeedable!(seedRng, uint)); assert(isSeedable!(seedRng)); } /** Linear Congruential generator. */ struct LinearCongruentialEngine(UIntType, UIntType a, UIntType c, UIntType m) { ///Mark this as a Rng enum bool isUniformRandom = true; /// Does this generator have a fixed range? ($(D_PARAM true)). enum bool hasFixedRange = true; /// Lowest generated value ($(D 1) if $(D c == 0), $(D 0) otherwise). enum UIntType min = ( c == 0 ? 1 : 0 ); /// Highest generated value ($(D modulus - 1)). enum UIntType max = m - 1; /** The parameters of this distribution. The random number is $(D_PARAM x = (x * multipler + increment) % modulus). */ enum UIntType multiplier = a; ///ditto enum UIntType increment = c; ///ditto enum UIntType modulus = m; static assert(isIntegral!(UIntType)); static assert(m == 0 || a < m); static assert(m == 0 || c < m); static assert(m == 0 || (cast(ulong)a * (m-1) + c) % m == (c < a ? c - a + m : c - a)); // Check for maximum range private static ulong gcd(ulong a, ulong b) { while (b) { auto t = b; b = a % b; a = t; } return a; } private static ulong primeFactorsOnly(ulong n) { ulong result = 1; ulong iter = 2; for (; n >= iter * iter; iter += 2 - (iter == 2)) { if (n % iter) continue; result *= iter; do { n /= iter; } while (n % iter == 0); } return result * n; } unittest { static assert(primeFactorsOnly(100) == 10); //writeln(primeFactorsOnly(11)); static assert(primeFactorsOnly(11) == 11); static assert(primeFactorsOnly(7 * 7 * 7 * 11 * 15 * 11) == 7 * 11 * 15); static assert(primeFactorsOnly(129 * 2) == 129 * 2); // enum x = primeFactorsOnly(7 * 7 * 7 * 11 * 15); // static assert(x == 7 * 11 * 15); } private static bool properLinearCongruentialParameters(ulong m, ulong a, ulong c) { if (m == 0) { static if (is(UIntType == uint)) { // Assume m is uint.max + 1 m = (1uL << 32); } else { return false; } } // Bounds checking if (a == 0 || a >= m || c >= m) return false; // c and m are relatively prime if (c > 0 && gcd(c, m) != 1) return false; // a - 1 is divisible by all prime factors of m if ((a - 1) % primeFactorsOnly(m)) return false; // if a - 1 is multiple of 4, then m is a multiple of 4 too. if ((a - 1) % 4 == 0 && m % 4) return false; // Passed all tests return true; } // check here static assert(c == 0 || properLinearCongruentialParameters(m, a, c), "Incorrect instantiation of LinearCongruentialEngine"); /** Constructs a $(D_PARAM LinearCongruentialEngine) generator seeded with $(D x0). */ this(UIntType x0) { seed(x0); } /** (Re)seeds the generator. */ void seed(UIntType x0 = 1) { static if (c == 0) { enforce(x0, "Invalid (zero) seed for " ~ LinearCongruentialEngine.stringof); } _x = modulus ? (x0 % modulus) : x0; popFront(); } /** Advances the random sequence. */ void popFront() { static if (m) { static if (is(UIntType == uint) && m == uint.max) { immutable ulong x = (cast(ulong) a * _x + c), v = x >> 32, w = x & uint.max; immutable y = cast(uint)(v + w); _x = (y < v || y == uint.max) ? (y + 1) : y; } else static if (is(UIntType == uint) && m == int.max) { immutable ulong x = (cast(ulong) a * _x + c), v = x >> 31, w = x & int.max; immutable uint y = cast(uint)(v + w); _x = (y >= int.max) ? (y - int.max) : y; } else { _x = cast(UIntType) ((cast(ulong) a * _x + c) % m); } } else { _x = a * _x + c; } } /** Returns the current number in the random sequence. */ @property UIntType front() { return _x; } /// @property typeof(this) save() { return this; } /** Always $(D false) (random generators are infinite ranges). */ enum bool empty = false; /** Compares against $(D_PARAM rhs) for equality. */ bool opEquals(ref const LinearCongruentialEngine rhs) const { return _x == rhs._x; } private UIntType _x = m ? (a + c) % m : (a + c); } /** Define $(D_PARAM LinearCongruentialEngine) generators with well-chosen parameters. $(D MinstdRand0) implements Park and Miller's "minimal standard" $(WEB wikipedia.org/wiki/Park%E2%80%93Miller_random_number_generator, generator) that uses 16807 for the multiplier. $(D MinstdRand) implements a variant that has slightly better spectral behavior by using the multiplier 48271. Both generators are rather simplistic. Example: ---- // seed with a constant auto rnd0 = MinstdRand0(1); auto n = rnd0.front; // same for each run // Seed with an unpredictable value rnd0.seed(unpredictableSeed); n = rnd0.front; // different across runs ---- */ alias LinearCongruentialEngine!(uint, 16807, 0, 2147483647) MinstdRand0; /// ditto alias LinearCongruentialEngine!(uint, 48271, 0, 2147483647) MinstdRand; unittest { assert(isForwardRange!MinstdRand); assert(isUniformRNG!MinstdRand); assert(isUniformRNG!MinstdRand0); assert(isUniformRNG!(MinstdRand, uint)); assert(isUniformRNG!(MinstdRand0, uint)); assert(isSeedable!MinstdRand); assert(isSeedable!MinstdRand0); assert(isSeedable!(MinstdRand, uint)); assert(isSeedable!(MinstdRand0, uint)); // The correct numbers are taken from The Database of Integer Sequences // http://www.research.att.com/~njas/sequences/eisBTfry00128.txt auto checking0 = [ 16807UL,282475249,1622650073,984943658,1144108930,470211272, 101027544,1457850878,1458777923,2007237709,823564440,1115438165, 1784484492,74243042,114807987,1137522503,1441282327,16531729, 823378840,143542612 ]; //auto rnd0 = MinstdRand0(1); MinstdRand0 rnd0; foreach (e; checking0) { assert(rnd0.front == e); rnd0.popFront(); } // Test the 10000th invocation // Correct value taken from: // http://www.open-std.org/jtc1/sc22/wg21/docs/papers/2007/n2461.pdf rnd0.seed(); popFrontN(rnd0, 9999); assert(rnd0.front == 1043618065); // Test MinstdRand auto checking = [48271UL,182605794,1291394886,1914720637,2078669041, 407355683]; //auto rnd = MinstdRand(1); MinstdRand rnd; foreach (e; checking) { assert(rnd.front == e); rnd.popFront(); } // Test the 10000th invocation // Correct value taken from: // http://www.open-std.org/jtc1/sc22/wg21/docs/papers/2007/n2461.pdf rnd.seed(); popFrontN(rnd, 9999); assert(rnd.front == 399268537); } /** The $(LUCKY Mersenne Twister) generator. */ struct MersenneTwisterEngine( UIntType, size_t w, size_t n, size_t m, size_t r, UIntType a, size_t u, size_t s, UIntType b, size_t t, UIntType c, size_t l) { static assert(UIntType.min == 0); ///Mark this as a Rng enum bool isUniformRandom = true; /** Parameter for the generator. */ enum size_t wordSize = w; enum size_t stateSize = n; enum size_t shiftSize = m; enum size_t maskBits = r; enum UIntType xorMask = a; enum UIntType temperingU = u; enum size_t temperingS = s; enum UIntType temperingB = b; enum size_t temperingT = t; enum UIntType temperingC = c; enum size_t temperingL = l; /// Smallest generated value (0). enum UIntType min = 0; /// Largest generated value. enum UIntType max = w == UIntType.sizeof * 8 ? UIntType.max : (1u << w) - 1; /// The default seed value. enum UIntType defaultSeed = 5489u; static assert(1 <= m && m <= n); static assert(0 <= r && 0 <= u && 0 <= s && 0 <= t && 0 <= l); static assert(r <= w && u <= w && s <= w && t <= w && l <= w); static assert(0 <= a && 0 <= b && 0 <= c); static assert(a <= max && b <= max && c <= max); /** Constructs a MersenneTwisterEngine object. */ this(UIntType value) { seed(value); } /** Seeds a MersenneTwisterEngine object. */ void seed(UIntType value = defaultSeed) { static if (w == UIntType.sizeof * 8) { mt[0] = value; } else { static assert(max + 1 > 0); mt[0] = value % (max + 1); } for (mti = 1; mti < n; ++mti) { mt[mti] = cast(UIntType) (1812433253UL * (mt[mti-1] ^ (mt[mti-1] >> (w - 2))) + mti); /* See Knuth TAOCP Vol2. 3rd Ed. P.106 for multiplier. */ /* In the previous versions, MSBs of the seed affect */ /* only MSBs of the array mt[]. */ /* 2002/01/09 modified by Makoto Matsumoto */ //mt[mti] &= ResultType.max; /* for >32 bit machines */ } popFront(); } /** Advances the generator. */ void popFront() { if (mti == size_t.max) seed(); enum UIntType upperMask = ~((cast(UIntType) 1u << (UIntType.sizeof * 8 - (w - r))) - 1), lowerMask = (cast(UIntType) 1u << r) - 1; static immutable UIntType mag01[2] = [0x0UL, a]; ulong y = void; if (mti >= n) { /* generate N words at one time */ int kk = 0; const limit1 = n - m; for (; kk < limit1; ++kk) { y = (mt[kk] & upperMask)|(mt[kk + 1] & lowerMask); mt[kk] = cast(UIntType) (mt[kk + m] ^ (y >> 1) ^ mag01[cast(UIntType) y & 0x1U]); } const limit2 = n - 1; for (; kk < limit2; ++kk) { y = (mt[kk] & upperMask)|(mt[kk + 1] & lowerMask); mt[kk] = cast(UIntType) (mt[kk + (m -n)] ^ (y >> 1) ^ mag01[cast(UIntType) y & 0x1U]); } y = (mt[n -1] & upperMask)|(mt[0] & lowerMask); mt[n - 1] = cast(UIntType) (mt[m - 1] ^ (y >> 1) ^ mag01[cast(UIntType) y & 0x1U]); mti = 0; } y = mt[mti++]; /* Tempering */ y ^= (y >> temperingU); y ^= (y << temperingS) & temperingB; y ^= (y << temperingT) & temperingC; y ^= (y >> temperingL); _y = cast(UIntType) y; } /** Returns the current random value. */ @property UIntType front() { if (mti == size_t.max) seed(); return _y; } /// @property typeof(this) save() { return this; } /** Always $(D false). */ enum bool empty = false; private UIntType mt[n]; private size_t mti = size_t.max; /* means mt is not initialized */ UIntType _y = UIntType.max; } /** A $(D MersenneTwisterEngine) instantiated with the parameters of the original engine $(WEB math.sci.hiroshima-u.ac.jp/~m-mat/MT/emt.html, MT19937), generating uniformly-distributed 32-bit numbers with a period of 2 to the power of 19937. Recommended for random number generation unless memory is severely restricted, in which case a $(D LinearCongruentialEngine) would be the generator of choice. Example: ---- // seed with a constant Mt19937 gen; auto n = gen.front; // same for each run // Seed with an unpredictable value gen.seed(unpredictableSeed); n = gen.front; // different across runs ---- */ alias MersenneTwisterEngine!(uint, 32, 624, 397, 31, 0x9908b0df, 11, 7, 0x9d2c5680, 15, 0xefc60000, 18) Mt19937; unittest { assert(isUniformRNG!Mt19937); assert(isUniformRNG!(Mt19937, uint)); assert(isSeedable!Mt19937); assert(isSeedable!(Mt19937, uint)); Mt19937 gen; popFrontN(gen, 9999); assert(gen.front == 4123659995); } unittest { uint a, b; { Mt19937 gen; a = gen.front; } { Mt19937 gen; gen.popFront(); //popFrontN(gen, 1); // skip 1 element b = gen.front; } assert(a != b); } /** * Xorshift generator using 32bit algorithm. * * Implemented according to $(WEB www.jstatsoft.org/v08/i14/paper, Xorshift RNGs). * * $(BOOKTABLE $(TEXTWITHCOMMAS Supporting bits are below, $(D bits) means second parameter of XorshiftEngine.), * $(TR $(TH bits) $(TH period)) * $(TR $(TD 32) $(TD 2^32 - 1)) * $(TR $(TD 64) $(TD 2^64 - 1)) * $(TR $(TD 96) $(TD 2^96 - 1)) * $(TR $(TD 128) $(TD 2^128 - 1)) * $(TR $(TD 160) $(TD 2^160 - 1)) * $(TR $(TD 192) $(TD 2^192 - 2^32)) * ) */ struct XorshiftEngine(UIntType, UIntType bits, UIntType a, UIntType b, UIntType c) { static assert(bits == 32 || bits == 64 || bits == 96 || bits == 128 || bits == 160 || bits == 192, "Supporting bits are 32, 64, 96, 128, 160 and 192. " ~ to!string(bits) ~ " is not supported."); public: ///Mark this as a Rng enum bool isUniformRandom = true; /// Always $(D false) (random generators are infinite ranges). enum empty = false; /// Smallest generated value. enum UIntType min = 0; /// Largest generated value. enum UIntType max = UIntType.max; private: enum Size = bits / 32; static if (bits == 32) { UIntType[Size] seeds_ = [2463534242]; } else static if (bits == 64) { UIntType[Size] seeds_ = [123456789, 362436069]; } else static if (bits == 96) { UIntType[Size] seeds_ = [123456789, 362436069, 521288629]; } else static if (bits == 128) { UIntType[Size] seeds_ = [123456789, 362436069, 521288629, 88675123]; } else static if (bits == 160) { UIntType[Size] seeds_ = [123456789, 362436069, 521288629, 88675123, 5783321]; } else { // 192bits UIntType[Size] seeds_ = [123456789, 362436069, 521288629, 88675123, 5783321, 6615241]; UIntType value_; } public: /** * Constructs a $(D XorshiftEngine) generator seeded with $(D_PARAM x0). */ @safe this(UIntType x0) { seed(x0); } /** * (Re)seeds the generator. */ @safe nothrow void seed(UIntType x0) { // Initialization routine from MersenneTwisterEngine. foreach (i, e; seeds_) seeds_[i] = x0 = cast(UIntType)(1812433253U * (x0 ^ (x0 >> 30)) + i + 1); // All seeds must not be 0. sanitizeSeeds(seeds_); popFront(); } /** * Returns the current number in the random sequence. */ @property @safe nothrow UIntType front() { static if (bits == 192) { return value_; } else { return seeds_[Size - 1]; } } /** * Advances the random sequence. */ @safe nothrow void popFront() { UIntType temp; static if (bits == 32) { temp = seeds_[0] ^ (seeds_[0] << a); temp = temp >> b; seeds_[0] = temp ^ (temp << c); } else static if (bits == 64) { temp = seeds_[0] ^ (seeds_[0] << a); seeds_[0] = seeds_[1]; seeds_[1] = seeds_[1] ^ (seeds_[1] >> c) ^ temp ^ (temp >> b); } else static if (bits == 96) { temp = seeds_[0] ^ (seeds_[0] << a); seeds_[0] = seeds_[1]; seeds_[1] = seeds_[2]; seeds_[2] = seeds_[2] ^ (seeds_[2] >> c) ^ temp ^ (temp >> b); } else static if (bits == 128){ temp = seeds_[0] ^ (seeds_[0] << a); seeds_[0] = seeds_[1]; seeds_[1] = seeds_[2]; seeds_[2] = seeds_[3]; seeds_[3] = seeds_[3] ^ (seeds_[3] >> c) ^ temp ^ (temp >> b); } else static if (bits == 160){ temp = seeds_[0] ^ (seeds_[0] >> a); seeds_[0] = seeds_[1]; seeds_[1] = seeds_[2]; seeds_[2] = seeds_[3]; seeds_[3] = seeds_[4]; seeds_[4] = seeds_[4] ^ (seeds_[4] >> c) ^ temp ^ (temp >> b); } else { // 192bits temp = seeds_[0] ^ (seeds_[0] >> a); seeds_[0] = seeds_[1]; seeds_[1] = seeds_[2]; seeds_[2] = seeds_[3]; seeds_[3] = seeds_[4]; seeds_[4] = seeds_[4] ^ (seeds_[4] << c) ^ temp ^ (temp << b); value_ = seeds_[4] + (seeds_[5] += 362437); } } /** * Captures a range state. */ @property typeof(this) save() { return this; } /** * Compares against $(D_PARAM rhs) for equality. */ @safe nothrow bool opEquals(ref const XorshiftEngine rhs) const { return seeds_ == rhs.seeds_; } private: @safe static nothrow void sanitizeSeeds(ref UIntType[Size] seeds) { for (uint i; i < seeds.length; i++) { if (seeds[i] == 0) seeds[i] = i + 1; } } unittest { static if (Size == 4) // Other bits too { UIntType[Size] seeds = [1, 0, 0, 4]; sanitizeSeeds(seeds); assert(seeds == [1, 2, 3, 4]); } } } /** * Define $(D XorshiftEngine) generators with well-chosen parameters. See each bits examples of "Xorshift RNGs". * $(D Xorshift) is a Xorshift128's alias because 128bits implementation is mostly used. * * Example: * ----- * // Seed with a constant * auto rnd = Xorshift(1); * auto num = rnd.front; // same for each run * * // Seed with an unpredictable value * rnd.seed(unpredictableSeed()); * num = rnd.front; // different across runs * ----- */ alias XorshiftEngine!(uint, 32, 13, 17, 5) Xorshift32; alias XorshiftEngine!(uint, 64, 10, 13, 10) Xorshift64; /// ditto alias XorshiftEngine!(uint, 96, 10, 5, 26) Xorshift96; /// ditto alias XorshiftEngine!(uint, 128, 11, 8, 19) Xorshift128; /// ditto alias XorshiftEngine!(uint, 160, 2, 1, 4) Xorshift160; /// ditto alias XorshiftEngine!(uint, 192, 2, 1, 4) Xorshift192; /// ditto alias Xorshift128 Xorshift; /// ditto unittest { assert(isForwardRange!Xorshift); assert(isUniformRNG!Xorshift); assert(isUniformRNG!(Xorshift, uint)); assert(isSeedable!Xorshift); assert(isSeedable!(Xorshift, uint)); // Result from reference implementation. auto checking = [ [2463534242UL, 267649, 551450, 53765, 108832, 215250, 435468, 860211, 660133, 263375], [362436069UL, 2113136921, 19051112, 3010520417, 951284840, 1213972223, 3173832558, 2611145638, 2515869689, 2245824891], [521288629UL, 1950277231, 185954712, 1582725458, 3580567609, 2303633688, 2394948066, 4108622809, 1116800180, 3357585673], [88675123UL, 3701687786, 458299110, 2500872618, 3633119408, 516391518, 2377269574, 2599949379, 717229868, 137866584], [5783321UL, 93724048, 491642011, 136638118, 246438988, 238186808, 140181925, 533680092, 285770921, 462053907], [0UL, 246875399, 3690007200, 1264581005, 3906711041, 1866187943, 2481925219, 2464530826, 1604040631, 3653403911] ]; foreach (I, Type; TypeTuple!(Xorshift32, Xorshift64, Xorshift96, Xorshift128, Xorshift160, Xorshift192)) { Type rnd; foreach (e; checking[I]) { assert(rnd.front == e); rnd.popFront(); } } } /** A "good" seed for initializing random number engines. Initializing with $(D_PARAM unpredictableSeed) makes engines generate different random number sequences every run. Example: ---- auto rnd = Random(unpredictableSeed); auto n = rnd.front; ... ---- */ @property uint unpredictableSeed() { static bool seeded; static MinstdRand0 rand; if (!seeded) { uint threadID = cast(uint) cast(void*) Thread.getThis(); rand.seed((getpid() + threadID) ^ cast(uint) TickDuration.currSystemTick().length); seeded = true; } rand.popFront(); return cast(uint) (TickDuration.currSystemTick().length ^ rand.front); } unittest { // not much to test here auto a = unpredictableSeed; static assert(is(typeof(a) == uint)); } /** The "default", "favorite", "suggested" random number generator type on the current platform. It is an alias for one of the previously-defined generators. You may want to use it if (1) you need to generate some nice random numbers, and (2) you don't care for the minutiae of the method being used. */ alias Mt19937 Random; unittest { assert(isUniformRNG!Random); assert(isUniformRNG!(Random, uint)); assert(isSeedable!Random); assert(isSeedable!(Random, uint)); } /** Global random number generator used by various functions in this module whenever no generator is specified. It is allocated per-thread and initialized to an unpredictable value for each thread. */ @property ref Random rndGen() { static Random result; static bool initialized; if (!initialized) { result = Random(unpredictableSeed); initialized = true; } return result; } /** Generates a number between $(D a) and $(D b). The $(D boundaries) parameter controls the shape of the interval (open vs. closed on either side). Valid values for $(D boundaries) are $(D "[]"), $(D "$(LPAREN)]"), $(D "[$(RPAREN)"), and $(D "()"). The default interval is closed to the left and open to the right. The version that does not take $(D urng) uses the default generator $(D rndGen). Example: ---- Random gen(unpredictableSeed); // Generate an integer in [0, 1023] auto a = uniform(0, 1024, gen); // Generate a float in [0, 1$(RPAREN) auto a = uniform(0.0f, 1.0f, gen); ---- */ auto uniform(string boundaries = "[)", T1, T2) (T1 a, T2 b) if (!is(CommonType!(T1, T2) == void)) { return uniform!(boundaries, T1, T2, Random)(a, b, rndGen); } unittest { MinstdRand0 gen; foreach (i; 0 .. 20) { auto x = uniform(0., 15., gen); assert(0 <= x && x < 15); } foreach (i; 0 .. 20) { auto x = uniform!"[]"('a', 'z', gen); assert('a' <= x && x <= 'z'); } foreach (i; 0 .. 20) { auto x = uniform('a', 'z', gen); assert('a' <= x && x < 'z'); } foreach(i; 0 .. 20) { immutable ubyte a = 0; immutable ubyte b = 15; auto x = uniform(a, b, gen); assert(a <= x && x < b); } } // Implementation of uniform for floating-point types /// ditto auto uniform(string boundaries = "[)", T1, T2, UniformRandomNumberGenerator) (T1 a, T2 b, ref UniformRandomNumberGenerator urng) if (isFloatingPoint!(CommonType!(T1, T2))) { alias Unqual!(CommonType!(T1, T2)) NumberType; static if (boundaries[0] == '(') { NumberType _a = nextafter(cast(NumberType) a, NumberType.infinity); } else { NumberType _a = a; } static if (boundaries[1] == ')') { NumberType _b = nextafter(cast(NumberType) b, -NumberType.infinity); } else { NumberType _b = b; } enforce(_a <= _b, text("std.random.uniform(): invalid bounding interval ", boundaries[0], a, ", ", b, boundaries[1])); NumberType result = _a + (_b - _a) * cast(NumberType) (urng.front - urng.min) / (urng.max - urng.min); urng.popFront(); return result; } // Implementation of uniform for integral types auto uniform(string boundaries = "[)", T1, T2, UniformRandomNumberGenerator) (T1 a, T2 b, ref UniformRandomNumberGenerator urng) if (isIntegral!(CommonType!(T1, T2)) || isSomeChar!(CommonType!(T1, T2))) { alias Unqual!(CommonType!(T1, T2)) ResultType; // We handle the case "[)' as the common case, and we adjust all // other cases to fit it. static if (boundaries[0] == '(') { enforce(cast(ResultType) a < ResultType.max, text("std.random.uniform(): invalid left bound ", a)); ResultType min = cast(ResultType) a + 1; } else { ResultType min = a; } static if (boundaries[1] == ']') { enforce(min <= cast(ResultType) b, text("std.random.uniform(): invalid bounding interval ", boundaries[0], a, ", ", b, boundaries[1])); if (b == ResultType.max && min == ResultType.min) { // Special case - all bits are occupied return .uniform!ResultType(urng); } auto count = unsigned(b - min) + 1u; static assert(count.min == 0); } else { enforce(min < cast(ResultType) b, text("std.random.uniform(): invalid bounding interval ", boundaries[0], a, ", ", b, boundaries[1])); auto count = unsigned(b - min); static assert(count.min == 0); } assert(count != 0); if (count == 1) return min; alias typeof(count) CountType; static assert(CountType.min == 0); auto bucketSize = 1u + (CountType.max - count + 1) / count; CountType r; do { r = cast(CountType) (uniform!CountType(urng) / bucketSize); } while (r >= count); return cast(typeof(return)) (min + r); } unittest { auto gen = Mt19937(unpredictableSeed); static assert(isForwardRange!(typeof(gen))); auto a = uniform(0, 1024, gen); assert(0 <= a && a <= 1024); auto b = uniform(0.0f, 1.0f, gen); assert(0 <= b && b < 1, to!string(b)); auto c = uniform(0.0, 1.0); assert(0 <= c && c < 1); foreach(T; TypeTuple!(char, wchar, dchar, byte, ubyte, short, ushort, int, uint, long, ulong, float, double, real)) { T lo = 0, hi = 100; T init = uniform(lo, hi); size_t i = 50; while (--i && uniform(lo, hi) == init) {} assert(i > 0); } } /** Generates a uniformly-distributed number in the range $(D [T.min, T.max]) for any integral type $(D T). If no random number generator is passed, uses the default $(D rndGen). */ auto uniform(T, UniformRandomNumberGenerator) (ref UniformRandomNumberGenerator urng) if (isIntegral!T || isSomeChar!T) { auto r = urng.front; urng.popFront(); static if (T.sizeof <= r.sizeof) { return cast(T) r; } else { static assert(T.sizeof == 8 && r.sizeof == 4); T r1 = urng.front | (cast(T)r << 32); urng.popFront(); return r1; } } /// Ditto auto uniform(T)() if (isIntegral!T || isSomeChar!T) { return uniform!T(rndGen); } unittest { foreach(T; TypeTuple!(char, wchar, dchar, byte, ubyte, short, ushort, int, uint, long, ulong)) { T init = uniform!T(); size_t i = 50; while (--i && uniform!T() == init) {} assert(i > 0); } } /** Generates a uniform probability distribution of size $(D n), i.e., an array of size $(D n) of positive numbers of type $(D F) that sum to $(D 1). If $(D useThis) is provided, it is used as storage. */ F[] uniformDistribution(F = double)(size_t n, F[] useThis = null) { useThis.length = n; foreach (ref e; useThis) { e = uniform(0.0, 1); } normalize(useThis); return useThis; } unittest { static assert(is(CommonType!(double, int) == double)); auto a = uniformDistribution(5); enforce(a.length == 5); enforce(approxEqual(reduce!"a + b"(a), 1)); a = uniformDistribution(10, a); enforce(a.length == 10); enforce(approxEqual(reduce!"a + b"(a), 1)); } /** Shuffles elements of $(D r) using $(D gen) as a shuffler. $(D r) must be a random-access range with length. */ void randomShuffle(Range, RandomGen = Random)(Range r, ref RandomGen gen = rndGen) { foreach (i; 0 .. r.length) { swapAt(r, i, i + uniform(0, r.length - i, gen)); } } unittest { auto a = ([ 1, 2, 3, 4, 5, 6, 7, 8, 9 ]).dup; auto b = a.dup; Mt19937 gen; randomShuffle(a, gen); assert(a.sort == b.sort); randomShuffle(a); assert(a.sort == b.sort); } /** Rolls a dice with relative probabilities stored in $(D proportions). Returns the index in $(D proportions) that was chosen. Example: ---- auto x = dice(0.5, 0.5); // x is 0 or 1 in equal proportions auto y = dice(50, 50); // y is 0 or 1 in equal proportions auto z = dice(70, 20, 10); // z is 0 70% of the time, 1 20% of the time, // and 2 10% of the time ---- */ size_t dice(Rng, Num)(ref Rng rnd, Num[] proportions...) if (isNumeric!Num && isForwardRange!Rng) { return diceImpl(rnd, proportions); } /// Ditto size_t dice(R, Range)(ref R rnd, Range proportions) if (isForwardRange!Range && isNumeric!(ElementType!Range) && !isArray!Range) { return diceImpl(rnd, proportions); } /// Ditto size_t dice(Range)(Range proportions) if (isForwardRange!Range && isNumeric!(ElementType!Range) && !isArray!Range) { return diceImpl(rndGen, proportions); } /// Ditto size_t dice(Num)(Num[] proportions...) if (isNumeric!Num) { return diceImpl(rndGen, proportions); } private size_t diceImpl(Rng, Range)(ref Rng rng, Range proportions) if (isForwardRange!Range && isNumeric!(ElementType!Range) && isForwardRange!Rng) { double sum = reduce!("(assert(b >= 0), a + b)")(0.0, proportions.save); enforce(sum > 0, "Proportions in a dice cannot sum to zero"); immutable point = uniform(0.0, sum, rng); assert(point < sum); auto mass = 0.0; size_t i = 0; foreach (e; proportions) { mass += e; if (point < mass) return i; i++; } // this point should not be reached assert(false); } unittest { auto rnd = Random(unpredictableSeed); auto i = dice(rnd, 0.0, 100.0); assert(i == 1); i = dice(rnd, 100.0, 0.0); assert(i == 0); i = dice(100U, 0U); assert(i == 0); } /** Covers a given range $(D r) in a random manner, i.e. goes through each element of $(D r) once and only once, just in a random order. $(D r) must be a random-access range with length. Example: ---- int[] a = [ 0, 1, 2, 3, 4, 5, 6, 7, 8 ]; auto rnd = Random(unpredictableSeed); foreach (e; randomCover(a, rnd)) { writeln(e); } ---- */ struct RandomCover(Range, Random) if (isUniformRNG!Random) { private Range _input; private Random _rnd; private bool[] _chosen; private uint _current; private uint _alreadyChosen; this(Range input, Random rnd) { _input = input; _rnd = rnd; _chosen.length = _input.length; popFront(); } static if (hasLength!Range) @property size_t length() { return (1 + _input.length) - _alreadyChosen; } @property auto ref front() { return _input[_current]; } void popFront() { if (_alreadyChosen >= _input.length) { // No more elements ++_alreadyChosen; // means we're done return; } size_t k = _input.length - _alreadyChosen; uint i; foreach (e; _input) { if (_chosen[i]) { ++i; continue; } // Roll a dice with k faces auto chooseMe = uniform(0, k, _rnd) == 0; assert(k > 1 || chooseMe); if (chooseMe) { _chosen[i] = true; _current = i; ++_alreadyChosen; return; } --k; ++i; } assert(false); } @property typeof(this) save() { auto ret = this; ret._input = _input.save; ret._rnd = _rnd.save; return ret; } @property bool empty() { return _alreadyChosen > _input.length; } } /// Ditto RandomCover!(Range, Random) randomCover(Range, Random)(Range r, Random rnd) if(isUniformRNG!Random) { return typeof(return)(r, rnd); } unittest { int[] a = [ 0, 1, 2, 3, 4, 5, 6, 7, 8 ]; auto rnd = Random(unpredictableSeed); RandomCover!(int[], Random) rc = randomCover(a, rnd); static assert(isForwardRange!(typeof(rc))); int[] b = new int[9]; uint i; foreach (e; rc) { //writeln(e); b[i++] = e; } sort(b); assert(a == b, text(b)); } // RandomSample /** Selects a random subsample out of $(D r), containing exactly $(D n) elements. The order of elements is the same as in the original range. The total length of $(D r) must be known. If $(D total) is passed in, the total number of sample is considered to be $(D total). Otherwise, $(D RandomSample) uses $(D r.length). If the number of elements is not exactly $(D total), $(D RandomSample) throws an exception. This is because $(D total) is essential to computing the probability of selecting elements in the range. Example: ---- int[] a = [ 0, 1, 2, 3, 4, 5, 6, 7, 8, 9 ]; // Print 5 random elements picked off from a foreach (e; randomSample(a, 5)) { writeln(e); } ---- */ struct RandomSample(R, Random = void) if(isUniformRNG!Random || is(Random == void)) { private size_t _available, _toSelect; private R _input; private size_t _index; // If we're using the default thread-local random number generator then // we shouldn't store a copy of it here. Random == void is a sentinel // for this. If we're using a user-specified generator then we have no // choice but to store a copy. static if(!is(Random == void)) { Random gen; } /** Constructor. */ static if (hasLength!R) this(R input, size_t howMany) { this(input, howMany, input.length); } this(R input, size_t howMany, size_t total) { _input = input; _available = total; _toSelect = howMany; enforce(_toSelect <= _available); // we should skip some elements initially so we don't always // start with the first prime(); } /** Range primitives. */ @property bool empty() const { return _toSelect == 0; } @property auto ref front() { assert(!empty); return _input.front; } /// Ditto void popFront() { _input.popFront(); --_available; --_toSelect; ++_index; prime(); } /// Ditto @property typeof(this) save() { auto ret = this; ret._input = _input.save; return ret; } /// Ditto @property size_t length() { return _toSelect; } /** Returns the index of the visited record. */ size_t index() { return _index; } private void prime() { if (empty) return; assert(_available && _available >= _toSelect); for (;;) { static if(is(Random == void)) { auto r = uniform(0, _available); } else { auto r = uniform(0, _available, gen); } if (r < _toSelect) { // chosen! return; } // not chosen, retry assert(!_input.empty); _input.popFront(); ++_index; --_available; assert(_available > 0); } } } /// Ditto auto randomSample(R)(R r, size_t n, size_t total) if(isInputRange!R) { return RandomSample!(R, void)(r, n, total); } /// Ditto auto randomSample(R)(R r, size_t n) if (hasLength!R) { return RandomSample!(R, void)(r, n, r.length); } /// Ditto auto randomSample(R, Random)(R r, size_t n, size_t total, Random gen) if(isInputRange!R && isUniformRNG!Random) { auto ret = RandomSample!(R, Random)(r, n, total); ret.gen = gen; return ret; } /// Ditto auto randomSample(R, Random)(R r, size_t n, Random gen) if (isInputRange!R && hasLength!R && isUniformRNG!Random) { auto ret = RandomSample!(R, Random)(r, n, r.length); ret.gen = gen; return ret; } unittest { Random gen; int[] a = [ 0, 1, 2, 3, 4, 5, 6, 7, 8, 9 ]; static assert(isForwardRange!(typeof(randomSample(a, 5)))); static assert(isForwardRange!(typeof(randomSample(a, 5, gen)))); //int[] a = [ 0, 1, 2 ]; assert(randomSample(a, 5).length == 5); assert(randomSample(a, 5, 10).length == 5); assert(randomSample(a, 5, gen).length == 5); uint i; foreach (e; randomSample(randomCover(a, rndGen), 5)) { ++i; //writeln(e); } assert(i == 5); }
D
INSTANCE Mod_556_NOV_Theodor_NW (Npc_Default) { // ------ NSC ------ name = "Novize"; guild = GIL_VLK; id = 556; voice = 0; flags = 0; npctype = NPCTYPE_nw_feuernovize; B_SetAttributesToChapter (self, 2); fight_tactic = FAI_HUMAN_COWARD; aivar[AIV_MagicUser] = MAGIC_ALWAYS; EquipItem (self, ItMw_1h_Nov_Mace); B_CreateAmbientInv (self); CreateInvItems (self,ItSc_Sleep,1); B_SetNpcVisual (self, MALE, "Hum_Head_Thief", Face_P_Tough_Torrez, BodyTex_P, ITAR_NOV_L); Mdl_SetModelFatness (self, -1); Mdl_ApplyOverlayMds (self, "Humans_Mage.mds"); B_GiveNpcTalents (self); B_SetFightSkills (self, 25); daily_routine = Rtn_Start_556; }; FUNC VOID Rtn_Start_556() { TA_Stomp_Herb (08,00,10,00,"NW_MONASTERY_WINEMAKER_04"); TA_Stomp_Herb (10,00,11,00,"NW_MONASTERY_WINEMAKER_04"); TA_Stomp_Herb (11,00,23,30,"NW_MONASTERY_WINEMAKER_04"); TA_Stomp_Herb (23,30,08,00,"NW_MONASTERY_WINEMAKER_04"); };
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_or_int_6.java .class public dot.junit.opcodes.or_int.d.T_or_int_6 .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(FI)I .limit regs 8 or-int v0, v6, v7 return v6 .end method
D
/++ + Adds support for logging std.logger messages to HTML files. + Authors: Cameron "Herringway" Ross + Copyright: Copyright Cameron Ross 2016 + License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0). +/ module htmllog; import std.algorithm : among; import std.array; import std.conv : to; import std.exception : assumeWontThrow; import std.experimental.logger; import std.format : format, formattedWrite; import std.range : isOutputRange, NullSink, put; import std.stdio : File; import std.traits : EnumMembers; import std.typecons : tuple; /++ + Logs messages to a .html file. When viewed in a browser, it provides an + easily-searchable and filterable view of logged messages. +/ public class HTMLLogger : Logger { ///File handle being written to. private File handle; /++ + Creates a new log file with the specified path and filename. + Params: + logpath = Full path and filename for the log file + lv = Minimum message level to write to the log + defaultMinDisplayLevel = Minimum message level visible by default +/ this(string logpath, LogLevel lv = LogLevel.all, LogLevel defaultMinDisplayLevel = LogLevel.all) @safe { super(lv); handle.open(logpath, "w"); writeHeader(defaultMinDisplayLevel); } /++ + Writes a log file using an already-opened handle. Note that having + pre-existing data in the file will likely cause display errors. + Params: + file = Prepared file handle to write log to + lv = Minimum message level to write to the log + defaultMinDisplayLevel = Minimum message level visible by default +/ this(File file, LogLevel lv = LogLevel.all, LogLevel defaultMinDisplayLevel = LogLevel.all) @safe in(file.isOpen) { super(lv); handle = file; writeHeader(defaultMinDisplayLevel); } ~this() @safe { if (handle.isOpen) { writeFmt(HTMLTemplate.footer); handle.close(); } } /++ + Writes a log message. For internal use by std.experimental.logger. + Params: + payLoad = Data for the log entry being written + See_Also: $(LINK https://dlang.org/library/std/experimental/logger.html) +/ override public void writeLogMsg(ref LogEntry payLoad) @safe { if (payLoad.logLevel >= logLevel) { writeFmt(HTMLTemplate.entry, payLoad.logLevel, payLoad.timestamp.toISOExtString(), payLoad.timestamp.toSimpleString(), payLoad.moduleName, payLoad.line, payLoad.threadId, HtmlEscaper(payLoad.msg)); } } /++ + Initializes log file by writing header tags, etc. + Params: + minDisplayLevel = Minimum message level visible by default +/ private void writeHeader(LogLevel minDisplayLevel) @safe { static bool initialized = false; if (initialized) { return; } writeFmt(HTMLTemplate.header, minDisplayLevel.among!(EnumMembers!LogLevel)-1); initialized = true; } /++ + Safe wrapper around handle.lockingTextWriter(). + Params: + fmt = Format of string to write + args = Values to place into formatted string +/ private void writeFmt(T...)(string fmt, T args) @trusted { formattedWrite(handle.lockingTextWriter(), fmt, args); handle.flush(); } } /// @safe unittest { auto logger = new HTMLLogger("test.html", LogLevel.trace); logger.fatalHandler = () {}; foreach (i; 0..100) { //Log one hundred of each king of message logger.trace("Example - Trace"); logger.info("Example - Info"); logger.warning("Example - Warning"); logger.error("Example - Error"); logger.critical("Example - Critical"); logger.fatal("Example - Fatal"); } } /++ + Escapes special HTML characters. Avoids allocating where possible. +/ private struct HtmlEscaper { ///String to escape string data; /+ + Converts data to escaped HTML string. Outputs to an output range to avoid + unnecessary allocation. +/ void toString(T)(auto ref T sink) const if (isOutputRange!(T, immutable char)) { foreach (character; data) { switch (character) { default: put(sink, character); break; case 0: .. case 9: case 11: .. case 12: case 14: .. case 31: put(sink, "&#"); //since we're guaranteed to have a 1 or 2 digit number, this works put(sink, cast(char)('0'+(character/10))); put(sink, cast(char)('0'+(character%10))); break; case '\n', '\r': put(sink, "<br/>"); break; case '&': put(sink, "&amp;"); break; case '<': put(sink, "&lt;"); break; case '>': put(sink, "&gt;"); break; } } } } @safe pure @nogc unittest { import std.conv : text; struct StaticBuf(size_t Size) { char[Size] data; size_t offset; void put(immutable char character) @nogc { data[offset] = character; offset++; } } { auto buf = StaticBuf!0(); HtmlEscaper("").toString(buf); assert(buf.data == ""); } { auto buf = StaticBuf!5(); HtmlEscaper("\n").toString(buf); assert(buf.data == "<br/>"); } { auto buf = StaticBuf!4(); HtmlEscaper("\x1E").toString(buf); assert(buf.data == "&#30"); } } ///Template components for log file private enum HTMLTemplate = tuple!("header", "entry", "footer")( `<!DOCTYPE html> <html> <head> <title>HTML Log</title> <meta http-equiv="Content-Type" content="text/html; charset=utf-8"> <style content="text/css"> .trace { color: lightgray; } .info { color: black; } .warning { color: darkorange; } .error { color: darkred; } .critical { color: crimson; } .fatal { color: red; } body { font-size: 10pt; margin: 0px; } .logmessage { font-family: monospace; margin-left: 10pt; margin-right: 10pt; } .log { margin-top: 15pt; margin-bottom: 15pt; } time, div.time { display: inline-block; width: 180pt; } div.source { display: inline-block; width: 200pt; } div.threadName { display: inline-block; width: 100pt; } div.message { display: inline-block; width: calc(100%% - 500pt); } header, footer { position: fixed; width: 100%%; height: 15pt; z-index: 1; } footer { bottom: 0px; background-color: lightgray; } header { top: 0px; background-color: white; } </style> <script language="JavaScript"> function updateLevels(i){ var style = document.styleSheets[0].cssRules[i].style; if (event.target.checked) style.display = ""; else style.display = "none"; } </script> </head> <body> <header class="logmessage"> <div class="time">Time</div> <div class="source">Source</div> <div class="threadName">Thread</div> <div class="message">Message</div> </header> <footer> <form class="menubar"> <input type="checkbox" id="level0" onChange="updateLevels(0)" checked> <label for="level0">Trace</label> <input type="checkbox" id="level1" onChange="updateLevels(1)" checked> <label for="level1">Info</label> <input type="checkbox" id="level2" onChange="updateLevels(2)" checked> <label for="level2">Warning</label> <input type="checkbox" id="level3" onChange="updateLevels(3)" checked> <label for="level3">Error</label> <input type="checkbox" id="level4" onChange="updateLevels(4)" checked> <label for="level4">Critical</label> <input type="checkbox" id="level5" onChange="updateLevels(5)" checked> <label for="level5">Fatal</label> </form> </footer> <script language="JavaScript"> for (var i = 0; i < %s; i++) { document.styleSheets[0].cssRules[i].style.display = "none"; document.getElementById("level" + i).checked = false; } </script> <div class="log">`, ` <div class="%s logmessage"> <time datetime="%s">%s</time> <div class="source">%s:%s</div> <div class="threadName">%s</div> <div class="message">%s</div> </div>`, ` </div> </body> </html>`);
D
/Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/Deprecated.o : /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Image.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProgressive.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Filter.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Result.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Box.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/Accelerate.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/os.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/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/Accelerate.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/os.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/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Kingfisher.h /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-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/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.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/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/Deprecated~partial.swiftmodule : /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Image.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProgressive.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Filter.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Result.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Box.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/Accelerate.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/os.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/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/Accelerate.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/os.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/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Kingfisher.h /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-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/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.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/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/Deprecated~partial.swiftdoc : /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/String+MD5.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Deprecated.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Source.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/Resource.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Image.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/GIFAnimatedImage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/Storage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/DiskStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/MemoryStorage.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/ImageCache.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/AuthenticationChallengeResponsable.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Runtime.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Delegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloaderDelegate.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/CallbackQueue.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProgressive.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageDrawing.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/SessionDataTask.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageTransition.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherOptionsInfo.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDownloader.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/ImageSource/ImageDataProvider.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Placeholder.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherManager.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImagePrefetcher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/UIButton+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Extensions/ImageView+Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/Kingfisher.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RequestModifier.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/RedirectHandler.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/Filter.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/CacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Cache/FormatIndicatedCacheSerializer.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/General/KingfisherError.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Networking/ImageDataProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageProcessor.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/Indicator.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/SizeExtensions.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/ExtensionHelpers.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Image/ImageFormat.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Result.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Views/AnimatedImageView.swift /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Utility/Box.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/Accelerate.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/os.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/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/Accelerate.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/os.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/macbook/Desktop/BookFarm/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/macbook/Desktop/BookFarm/Pods/Kingfisher/Sources/Kingfisher.h /Users/macbook/Desktop/BookFarm/build/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-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/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.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/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/os.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
Ddoc $(DERS_BOLUMU $(IX ternary operator) $(IX ?:) $(IX conditional operator) Ternary Operator $(CH4 ?:)) $(P The $(C ?:) operator works very similarly to an $(C if-else) statement: ) --- if (/* condition check */) { /* ... expression(s) to execute if true */ } else { /* ... expression(s) to execute if false */ } --- $(P The $(C if) statement executes either the block for the case of $(C true) or the block for the case of $(C false). As you remember, being a statement, it does not have a value; $(C if) merely affects the execution of code blocks. ) $(P On the other hand, the $(C ?:) operator is an expression. In addition to working similary to the $(C if-else) statement, it produces a value. The equivalent of the above code is the following: ) --- /* condition */ ? /* truth expression */ : /* falsity expression */ --- $(P Because it uses three expressions, the $(C ?:) operator is called the ternary operator. ) $(P The value that is produced by this operator is either the value of the truth expression or the value of the falsity expression. Because it is an expression, it can be used anywhere that expressions can be used. ) $(P The following examples contrast the $(C ?:) operator to the $(C if-else) statement. The ternary operator is more concise for the cases that are similar to these examples. ) $(UL $(LI $(B Initialization) $(P To initialize a variable with 366 if it is leap year, 365 otherwise: ) --- int days = isLeapYear ? 366 : 365; --- $(P With an $(C if) statement, one way to do this is to define the variable without an explicit initial value and then assign the intended value: ) --- int days; if (isLeapYear) { days = 366; } else { days = 365; } --- $(P An alternative also using an $(C if) is to initialize the variable with the non-leap year value and then increment it if it is a leap year: ) --- int days = 365; if (isLeapYear) { ++days; } --- ) $(LI $(B Printing) $(P Printing part of a message differently depending on a condition: ) --- writeln("The glass is half ", isOptimistic ? "full." : "empty."); --- $(P With an $(C if), the first and last parts of the message may be printed separately: ) --- write("The glass is half "); if (isOptimistic) { writeln("full."); } else { writeln("empty."); } --- $(P Alternatively, the entire message can be printed separately: ) --- if (isOptimistic) { writeln("The glass is half full."); } else { writeln("The glass is half empty."); } --- ) $(LI $(B Calculation) $(P Increasing the score of the winner in a backgammon game 2 points or 1 point depending on whether the game has ended with gammon: ) --- score += isGammon ? 2 : 1; --- $(P A straightforward equivalent using an $(C if): ) --- if (isGammon) { score += 2; } else { score += 1; } --- $(P An alternative also using an $(C if) is to first increment by one and then increment again if gammon: ) --- ++score; if (isGammon) { ++score; } --- ) ) $(P As can be seen from the examples above, the code is more concise and clearer with the ternary operator in certain situations. ) $(H5 The type of the ternary expression) $(P The value of the $(C ?:) operator is either the value of the truth expression or the value of the falsity expression. The types of these two expressions need not be the same but they must have a $(I common type). ) $(P $(IX common type) The common type of two expressions is decided by a relatively complicated algorithm, involving $(LINK2 cast.html, type conversions) and $(LINK2 inheritance.html, inheritance). Additionally, depending on the expressions, the $(I kind) of the result is either $(LINK2 lvalue_rvalue.html, an lvalue or an rvalue). We will see these concepts in later chapters. ) $(P For now, accept common type as a type that can represent both of the values without requiring an explicit cast. For example, the integer types $(C int) and $(C long) have a common type because they can both be represented as $(C long). On the other hand, $(C int) and $(C string) do not have a common type because neither $(C int) nor $(C string) can automatically be converted to the other type. ) $(P Remember that a simple way of determining the type of an expression is using $(C typeof) and then printing its $(C .stringof) property: ) --- int i; double d; auto result = someCondition ? i : d; writeln(typeof(result)$(HILITE .stringof)); --- $(P Because $(C double) can represent $(C int) but not the other way around, the common type of the ternary expression above is $(C double): ) $(SHELL double ) $(P To see an example of two expressions that do not have a common type, let's look at composing a message that reports the number of items to be shipped. Let's print "A dozen" when the value equals 12: "A $(B dozen) items will be shipped." Otherwise, let's have the message include the exact number: "$(B 3) items will be shipped." ) $(P One might think that the varying part of the message can be selected with the $(C ?:) operator: ) --- writeln( (count == 12) ? "A dozen" : count, $(DERLEME_HATASI) " items will be shipped."); --- $(P Unfortunately, the expressions do not have a common type because the type of $(STRING "A dozen") is $(C string) and the type of $(C count) is $(C int). ) $(P A solution is to first convert $(C count) to $(C string). The function $(C to!string) from the $(C std.conv) module produces a $(C string) value from the specified parameter: ) --- import std.conv; // ... writeln((count == 12) ? "A dozen" : to!string(count), " items will be shipped."); --- $(P Now, as both of the selection expressions of the $(C ?:) operator are of $(C string) type, the code compiles and prints the expected message. ) $(PROBLEM_TEK $(P Have the program read a single $(C int) value as $(I the net amount) where a positive value represents a gain and a negative value represents a loss. ) $(P The program should print a message that contains "gained" or "lost" depending on whether the amount is positive or negative. For example, "&#36;100 lost" or "&#36;70 gained". Even though it may be more suitable, do not use the $(C if) statement in this exercise. ) ) Macros: TITLE=Ternary Operator ?: DESCRIPTION=The ?: operator of the D programming language and comparing it to the if-else statement. KEYWORDS=d programming language tutorial book ternary operator
D
/Users/chenzuncheng/Desktop/vaporTest/.build/x86_64-apple-macosx10.10/debug/Core.build/Result.swift.o : /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/RFC1123.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+Polymorphic.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Sequence.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Collection+Safe.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Cache.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Extendable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/EmptyInitializable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/DataFile.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+CaseInsensitiveCompare.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Semaphore.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/String.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Dispatch.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Lock.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Portal.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/FileProtocol.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/StaticDataBuffer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/DispatchTime+Utilities.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Bits.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Exports.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Result.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Int+Hex.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Array.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/WorkingDirectory.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/libc.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 /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/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/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/Core.build/Result~partial.swiftmodule : /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/RFC1123.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+Polymorphic.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Sequence.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Collection+Safe.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Cache.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Extendable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/EmptyInitializable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/DataFile.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+CaseInsensitiveCompare.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Semaphore.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/String.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Dispatch.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Lock.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Portal.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/FileProtocol.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/StaticDataBuffer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/DispatchTime+Utilities.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Bits.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Exports.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Result.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Int+Hex.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Array.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/WorkingDirectory.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/libc.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 /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/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/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/Core.build/Result~partial.swiftdoc : /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/RFC1123.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+Polymorphic.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Sequence.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Collection+Safe.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Cache.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Extendable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/EmptyInitializable.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/DataFile.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+CaseInsensitiveCompare.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Semaphore.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/String.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Dispatch.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Lock.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Portal.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/FileProtocol.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/StaticDataBuffer.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/DispatchTime+Utilities.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Bits.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Exports.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Result.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Int+Hex.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/Array.swift /Users/chenzuncheng/Desktop/vaporTest/.build/checkouts/core.git-9210800844849382486/Sources/Core/WorkingDirectory.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/libc.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 /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/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/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
/Users/cansoykarafakili/Desktop/Hello/build/Intermediates/Hello.build/Debug/WebSockets.build/Objects-normal/x86_64/WebSocketFormatErrors.o : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+Send.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Frame.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/WebSockets+Hash.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Fragmentation.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameSerializer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameDeserializer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket+Error.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+ControlFrames.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/WebSockets+Flags.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/WebSocketFormatErrors.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/Headers+WebSockets.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Request+WebSockets.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Client/WebSocket+Client.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/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/libc.framework/Modules/libc.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/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/Sockets.framework/Modules/Sockets.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/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/WebSockets.build/Objects-normal/x86_64/WebSocketFormatErrors~partial.swiftmodule : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+Send.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Frame.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/WebSockets+Hash.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Fragmentation.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameSerializer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameDeserializer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket+Error.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+ControlFrames.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/WebSockets+Flags.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/WebSocketFormatErrors.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/Headers+WebSockets.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Request+WebSockets.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Client/WebSocket+Client.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/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/libc.framework/Modules/libc.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/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/Sockets.framework/Modules/Sockets.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/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/WebSockets.build/Objects-normal/x86_64/WebSocketFormatErrors~partial.swiftdoc : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+Send.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Frame.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/WebSockets+Hash.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/Fragmentation.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameSerializer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/FrameDeserializer.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket+Error.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Communication/WebSocket+ControlFrames.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Serialization/WebSockets+Flags.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/WebSocketFormatErrors.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Connection/Headers+WebSockets.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Request+WebSockets.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Model/WebSocket.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/engine.git-3311994267206676365/Sources/WebSockets/Client/WebSocket+Client.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/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/libc.framework/Modules/libc.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/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/Sockets.framework/Modules/Sockets.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/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
/Users/hernaniruegasvillarreal/Documents/TEC/semestre-8/dispositivos-moviles/segundo-parcial/cargarDatosPropertyList/Build/Intermediates/cargarDatosPropertyList.build/Debug-iphonesimulator/cargarDatosPropertyList.build/Objects-normal/x86_64/ViewController.o : /Users/hernaniruegasvillarreal/Documents/TEC/semestre-8/dispositivos-moviles/segundo-parcial/cargarDatosPropertyList/cargarDatosPropertyList/ViewController.swift /Users/hernaniruegasvillarreal/Documents/TEC/semestre-8/dispositivos-moviles/segundo-parcial/cargarDatosPropertyList/cargarDatosPropertyList/AppDelegate.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/hernaniruegasvillarreal/Documents/TEC/semestre-8/dispositivos-moviles/segundo-parcial/cargarDatosPropertyList/Build/Intermediates/cargarDatosPropertyList.build/Debug-iphonesimulator/cargarDatosPropertyList.build/Objects-normal/x86_64/ViewController~partial.swiftmodule : /Users/hernaniruegasvillarreal/Documents/TEC/semestre-8/dispositivos-moviles/segundo-parcial/cargarDatosPropertyList/cargarDatosPropertyList/ViewController.swift /Users/hernaniruegasvillarreal/Documents/TEC/semestre-8/dispositivos-moviles/segundo-parcial/cargarDatosPropertyList/cargarDatosPropertyList/AppDelegate.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/hernaniruegasvillarreal/Documents/TEC/semestre-8/dispositivos-moviles/segundo-parcial/cargarDatosPropertyList/Build/Intermediates/cargarDatosPropertyList.build/Debug-iphonesimulator/cargarDatosPropertyList.build/Objects-normal/x86_64/ViewController~partial.swiftdoc : /Users/hernaniruegasvillarreal/Documents/TEC/semestre-8/dispositivos-moviles/segundo-parcial/cargarDatosPropertyList/cargarDatosPropertyList/ViewController.swift /Users/hernaniruegasvillarreal/Documents/TEC/semestre-8/dispositivos-moviles/segundo-parcial/cargarDatosPropertyList/cargarDatosPropertyList/AppDelegate.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
D
/Users/petercernak/vapor/TILApp/Build/Intermediates.noindex/TILApp.build/Debug/FluentSQL.build/Objects-normal/x86_64/Exports.o : /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLSchema.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SchemaBuilder+Field.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+SchemaSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+JoinSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+QuerySupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+Contains.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/QueryBuilder+GroupBy.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/SQL.framework/Modules/SQL.swiftmodule/x86_64.swiftmodule /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 /Users/petercernak/vapor/TILApp/Build/Products/Debug/Fluent.framework/Modules/Fluent.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/FluentSQL.build/Objects-normal/x86_64/Exports~partial.swiftmodule : /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLSchema.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SchemaBuilder+Field.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+SchemaSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+JoinSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+QuerySupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+Contains.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/QueryBuilder+GroupBy.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/SQL.framework/Modules/SQL.swiftmodule/x86_64.swiftmodule /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 /Users/petercernak/vapor/TILApp/Build/Products/Debug/Fluent.framework/Modules/Fluent.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/FluentSQL.build/Objects-normal/x86_64/Exports~partial.swiftdoc : /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLSchema.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SchemaBuilder+Field.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+SchemaSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+JoinSupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+QuerySupporting.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/SQL+Contains.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/QueryBuilder+GroupBy.swift /Users/petercernak/vapor/TILApp/.build/checkouts/fluent.git-8387737201324173519/Sources/FluentSQL/FluentSQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/SQL.framework/Modules/SQL.swiftmodule/x86_64.swiftmodule /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 /Users/petercernak/vapor/TILApp/Build/Products/Debug/Fluent.framework/Modules/Fluent.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
/Users/edwardhuang/Documents/MichiganHackersiOSApp/DerivedData/Michigan\ Hackers/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/JTAppleCalendar.build/Objects-normal/x86_64/JTAppleCalendarVariables.o : /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCell.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarDelegateProtocol.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarLayoutProtocol.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarVariables.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/UIScrollViewDelegates.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/UICollectionViewDelegates.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTCalendarProtocols.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/CalendarEnums.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/GlobalFunctionsAndExtensions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/InternalActionFunctions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/UserInteractionFunctions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/InternalQueryFunctions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/CalendarStructs.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarLayout.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCollectionReusableView.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarView.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/edwardhuang/Documents/MichiganHackersiOSApp/Pods/Target\ Support\ Files/JTAppleCalendar/JTAppleCalendar-umbrella.h /Users/edwardhuang/Documents/MichiganHackersiOSApp/DerivedData/Michigan\ Hackers/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/JTAppleCalendar.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/edwardhuang/Documents/MichiganHackersiOSApp/DerivedData/Michigan\ Hackers/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/JTAppleCalendar.build/Objects-normal/x86_64/JTAppleCalendarVariables~partial.swiftmodule : /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCell.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarDelegateProtocol.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarLayoutProtocol.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarVariables.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/UIScrollViewDelegates.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/UICollectionViewDelegates.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTCalendarProtocols.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/CalendarEnums.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/GlobalFunctionsAndExtensions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/InternalActionFunctions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/UserInteractionFunctions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/InternalQueryFunctions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/CalendarStructs.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarLayout.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCollectionReusableView.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarView.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/edwardhuang/Documents/MichiganHackersiOSApp/Pods/Target\ Support\ Files/JTAppleCalendar/JTAppleCalendar-umbrella.h /Users/edwardhuang/Documents/MichiganHackersiOSApp/DerivedData/Michigan\ Hackers/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/JTAppleCalendar.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/edwardhuang/Documents/MichiganHackersiOSApp/DerivedData/Michigan\ Hackers/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/JTAppleCalendar.build/Objects-normal/x86_64/JTAppleCalendarVariables~partial.swiftdoc : /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCell.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarDelegateProtocol.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarLayoutProtocol.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarVariables.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/UIScrollViewDelegates.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/UICollectionViewDelegates.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTCalendarProtocols.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/CalendarEnums.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/GlobalFunctionsAndExtensions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/InternalActionFunctions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/UserInteractionFunctions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/InternalQueryFunctions.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/CalendarStructs.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarLayout.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCollectionReusableView.swift /Users/edwardhuang/Documents/MichiganHackersiOSApp/Pods/JTAppleCalendar/Sources/JTAppleCalendarView.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/edwardhuang/Documents/MichiganHackersiOSApp/Pods/Target\ Support\ Files/JTAppleCalendar/JTAppleCalendar-umbrella.h /Users/edwardhuang/Documents/MichiganHackersiOSApp/DerivedData/Michigan\ Hackers/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/JTAppleCalendar.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/++ Comulative density functions +/ /** Authors: [Ilya Yaroshenko](http://9il.github.io) Copyright: © 2014-2015 [Ilya Yaroshenko](http://9il.github.io) License: MIT */ module atmosphere.cdf; import core.stdc.tgmath; import std.algorithm; import std.traits; import std.range; import atmosphere.moment; import atmosphere.params; import atmosphere.pdf; import atmosphere.utilities; import std.math : isNormal, isFinite, isNaN, approxEqual; /++ Normal PDF +/ struct NormalSCDF(T) { T mu, sigma; /++ Params: mu = location sigma2 = sigma^2 +/ this(T mu, T sigma) in { assert(sigma > 0); assert(mu.isFinite); } body { this.mu = mu; this.sigma = sigma; } /// T opCall(T x) const { return normalDistribution((x - mu) / sigma); } } /++ Gamma CDF +/ struct GammaSCDF(T) if(isFloatingPoint!T) { private T shape, scale; /++ Constructor Params: shape = gamma shape parameter scale = gamma scale parameter +/ this(T shape, T scale) in { assert(shape.isNormal); assert(shape > 0); assert(scale.isNormal); assert(scale > 0); } body { this.shape = shape; this.scale = scale; } /// T opCall(T x) const { import std.mathspecial : gammaIncomplete; return x <= 0 ? 0 : gammaIncomplete(shape, x / scale); } } /// unittest { auto cdf = GammaSCDF!double(3, 2); auto x = cdf(0.1); assert(isNormal(x)); } /++ Inverse-gamma CDF +/ struct InverseGammaSCDF(T) if(isFloatingPoint!T) { private T shape, scale; /++ Constructor Params: shape = gamma shape parameter scale = gamma scale parameter +/ this(T shape, T scale) in { assert(shape.isNormal); assert(shape > 0); assert(scale.isNormal); assert(scale > 0); } body { this.shape = shape; this.scale = scale; } /// T opCall(T x) const { import std.mathspecial : gammaIncomplete; return x <= 0 ? 0 : gammaIncomplete(shape, scale / x); } } /// unittest { auto cdf = InverseGammaSCDF!double(3, 2); auto x = cdf(0.1); assert(isNormal(x)); } /++ Generalized gamma CDF +/ struct GeneralizedGammaSCDF(T) if(isFloatingPoint!T) { private T shape, power, scale, gammaShape; /++ Constructor Params: shape = shape parameter power = power parameter scale = scale parameter +/ this(T shape, T power, T scale) in { assert(shape.isNormal); assert(shape > 0); assert(power.isFinite); assert(scale.isNormal); assert(scale > 0); } body { this.shape = shape; this.power = power; this.scale = scale; this.gammaShape = tgamma(shape); assert(gammaShape.isNormal); } /// T opCall(T x) const { import std.mathspecial : gammaIncomplete; return x <= 0 ? 0 : gammaIncomplete(shape, pow(x / scale, power)) / gammaShape; } } /// unittest { auto cdf = GeneralizedGammaSCDF!double(3, 2, 0.5); auto x = cdf(0.1); assert(isNormal(x)); } /++ Inverse Gaussian CDF +/ struct InverseGaussianSCDF(T) if(isFloatingPoint!T) { private T omega, chi, psi; ///Constructor this(T chi, T psi) in { assert(chi.isNormal); assert(chi > 0); assert(psi.isNormal); assert(psi > 0); } body { this.chi = chi; this.psi = psi; this.omega = sqrt(chi * psi); } /// T opCall(T x) const { import std.mathspecial : normalDistribution; if(x <= 0) return 0; immutable a = sqrt(chi / x); immutable b = sqrt(psi * x); return normalDistribution(b - a) - exp(2*omega) * normalDistribution(-(a+b)); } } /// unittest { auto cdf = InverseGaussianSCDF!double(3, 2); auto x = cdf(0.1); assert(isNormal(x)); } /++ Comulative density function interface +/ interface CDF(T) { /++ Call operator +/ T opCall(T x); } /// unittest { import std.traits, std.mathspecial; class NormalCDF : CDF!real { real opCall(real x) { return normalDistribution(x); } } auto cdf = new NormalCDF; auto x = cdf(0.1); assert(isNormal(x)); } /// alias toCDF = convertTo!CDF; /// unittest { CDF!double cdf = GammaSCDF!double(1, 3).toCDF; } /++ Class to compute cumulative density function as integral of it's probability density function. $(RED Unstable) algorithm. +/ abstract class NumericCDF(T) : CDF!T { import scid.calculus : Result, integrate; private PDF!T pdf; private T a, epsRel, epsAbs; private T[] subdivisions; private T[] partials; /++ Constructor Params: pdf = The PDF to _integrate. subdivisions = TODO. a = (optional) The lower limit of integration. epsRel = (optional) The requested relative accuracy. epsAbs = (optional) The requested absolute accuracy. See_also: [struct Result](https://github.com/kyllingstad/scid/blob/a9f3916526e4bf9a4da35d14a969e1abfa17a496/source/scid/types.d) +/ this(PDF!T pdf, T[] subdivisions, T a = -T.infinity, T epsRel = 1e-6, T epsAbs = 0) in { assert(!subdivisions.empty); assert(subdivisions.all!isFinite); assert(subdivisions.all!(s => s > a)); assert(subdivisions.isSorted); assert(subdivisions.findAdjacent.empty); } body { this.pdf = pdf; this.a = a; this.epsRel = epsRel; this.epsAbs = epsAbs; this.subdivisions = subdivisions; this.partials = new T[subdivisions.length]; partials.front = pdf.integrate(a, subdivisions.front, epsRel, epsAbs); foreach(i, ref partial; partials[1..$]) partial = pdf.integrate(subdivisions[i], subdivisions[i+1], epsRel, epsAbs); } /// final T opCall(T x) { import std.algorithm : sum; if(x == -T.infinity) return 0; if(x == T.infinity) return 1; if(x.isNaN) return x; immutable i = subdivisions.length - subdivisions.assumeSorted.trisect(x)[2].length; return sum(partials[0..i]) + pdf.integrate(i ? subdivisions[i-1] : a, x, epsRel, epsAbs); } } /// Numeric cumulative density function of standard normal distribution unittest { import std.traits, std.mathspecial; import atmosphere.pdf; class NormalPDF : PDF!real { real opCall(real x) { // 1/sqrt(2 PI) enum c = 0.398942280401432677939946L; return c * exp(-0.5f * x * x); } } class NormalCDF : NumericCDF!real { this() { super(new NormalPDF, [-3, -1, 0, 1, 3]); } } auto cdf = new NormalCDF; assert(approxEqual(cdf(1.3), normalDistribution(1.3))); } /++ Class to compute complementary cumulative density function as integral of it's probability density function. $(RED Unstable) algorithm. +/ abstract class NumericCCDF(T) : CDF!T { import scid.calculus : Result, integrate; import atmosphere.pdf; private PDF!T pdf; private T b, epsRel, epsAbs; private T[] subdivisions; private T[] partials; /++ Constructor Params: pdf = The PDF to _integrate. b = (optional) The upper limit of integration. epsRel = (optional) The requested relative accuracy. epsAbs = (optional) The requested absolute accuracy. See_also: [struct Result](https://github.com/kyllingstad/scid/blob/a9f3916526e4bf9a4da35d14a969e1abfa17a496/source/scid/types.d) +/ this(PDF!T pdf, T[] subdivisions, T b = T.infinity, T epsRel = 1e-6, T epsAbs = 0) in { assert(!subdivisions.empty); assert(subdivisions.all!isFinite); assert(subdivisions.all!(s => s < b)); assert(subdivisions.isSorted); assert(subdivisions.findAdjacent.empty); } body { this.pdf = pdf; this.b = b; this.epsRel = epsRel; this.epsAbs = epsAbs; this.subdivisions = subdivisions; this.partials = new T[subdivisions.length]; partials.back = pdf.integrate(subdivisions.back, b, epsRel, epsAbs); foreach(i, ref partial; partials[0..$-1]) partial = pdf.integrate(subdivisions[i], subdivisions[i+1], epsRel, epsAbs); } /// final T opCall(T x) { import std.algorithm : sum; if(x == -T.infinity) return 0; if(x == T.infinity) return 1; if(x.isNaN) return x; immutable i = subdivisions.length - subdivisions.assumeSorted.trisect(x)[0].length; return sum(partials[$-i..$]) + pdf.integrate(x, i ? subdivisions[$-i] : b, epsRel, epsAbs); } } /// Numeric complementary cumulative density function of standard normal distribution unittest { import std.traits, std.mathspecial; import atmosphere.pdf; class NormalPDF : PDF!real { real opCall(real x) { // 1/sqrt(2 PI) enum c = 0.398942280401432677939946L; return c * exp(-0.5f * x * x); } } class NormalCCDF : NumericCCDF!real { this() { super(new NormalPDF, [-3, -1, 0, 1, 3]); } } auto ccdf = new NormalCCDF; assert(approxEqual(ccdf(1.3), 1-normalDistribution(1.3))); } /++ Generalized hyperbolic (generalized inverse Gaussian mixture of normals) CDF. $(RED Unstable) algorithm. See_Also: [distribution.params](distribution/params.html) +/ final class GeneralizedHyperbolicCDF(T): NumericCDF!T { /++ Constructor +/ this(T lambda, T alpha, T beta, T delta, T mu) { immutable params = GHypAlphaDelta!T(alpha, beta, delta); auto pdf = new GeneralizedHyperbolicPDF!T(lambda, alpha, beta, delta, mu); immutable mean = mu + generalizedHyperbolicMean(lambda, beta, params.chi, params.psi); super(pdf, [mean]); } } /// unittest { auto cdf = new GeneralizedHyperbolicCDF!double(3, 2, 1, 5, 6); auto x = cdf(0.1); assert(isNormal(x)); } /++ Proper generalized inverse Gaussian CDF. $(RED Unstable) algorithm. See_Also: [distribution.params](distribution/params.html) +/ final class ProperGeneralizedInverseGaussianCDF(T): NumericCDF!T { /++ Constructor +/ this(T lambda, T eta, T omega) { auto pdf = ProperGeneralizedInverseGaussianSPDF!T(lambda, eta, omega); immutable mean = properGeneralizedInverseGaussianMean(lambda, eta, omega); super(pdf.toPDF, [mean], 0); } } /// unittest { auto cdf = new ProperGeneralizedInverseGaussianCDF!double(3, 2, 4); auto x = cdf(0.1); assert(isNormal(x)); } /++ Variance-mean mixture of normals. $(RED Unstable) algorithm. +/ abstract class NormalVarianceMeanMixtureCDF(T) : CDF!T if(isFloatingPoint!T) { private PDF!T pdf; private T beta, mu; private T epsRel, epsAbs; private T[] subdivisions; /++ Constructor Params: pdf = The PDF to _integrate. beta = NVMM scale mu = NVMM location subdivisions = TODO. epsRel = (optional) The requested relative accuracy. epsAbs = (optional) The requested absolute accuracy. See_also: [struct Result](https://github.com/kyllingstad/scid/blob/a9f3916526e4bf9a4da35d14a969e1abfa17a496/source/scid/types.d) +/ this(PDF!T pdf, T beta, T mu, T[] subdivisions = null, T epsRel = 1e-6, T epsAbs = 0) in { assert(subdivisions.all!isFinite); assert(subdivisions.all!(s => s > 0)); assert(subdivisions.isSorted); assert(subdivisions.findAdjacent.empty); } body { this.pdf = pdf; this.beta = beta; this.mu = mu; this.epsRel = epsRel; this.epsAbs = epsAbs; this.subdivisions = subdivisions; } T opCall(T x) { import std.mathspecial : normalDistribution; import scid.calculus : integrate; T f(T z) { return normalDistribution((x - (mu + beta * z)) / sqrt(z)) * pdf(z); } T sum = 0; T a = 0; foreach(s; subdivisions) { sum += integrate(&f, a, s, epsRel, epsAbs); a = s; } sum += integrate(&f, a, T.infinity); return sum; } } /// unittest { import atmosphere; class MyGeneralizedHyperbolicCDF(T) : NormalVarianceMeanMixtureCDF!T { this(T lambda, GHypEtaOmega!T params, T mu) { with(params) { auto pdf = ProperGeneralizedInverseGaussianSPDF!T(lambda, eta, omega); auto mean = properGeneralizedInverseGaussianMean(lambda, eta, omega); super(pdf.toPDF, params.beta, mu, [mean]); } } } immutable double lambda = 2; immutable double mu = 0.3; immutable params = GHypEtaOmega!double(2, 3, 4); auto cghyp = new GeneralizedHyperbolicCDF!double(lambda, params.alpha, params.beta, params.delta, mu); auto cnvmm = new MyGeneralizedHyperbolicCDF!double(lambda, params, mu); foreach(i; [-100, 10, 0, 10, 100]) assert(approxEqual(cghyp(i), cnvmm(i))); } /++ Generalized variance-gamma (generalized gamma mixture of normals) CDF. $(RED Unstable) algorithm. +/ final class GeneralizedVarianceGammaCDF(T): NormalVarianceMeanMixtureCDF!T { /++ Constructor Params: shape = shape parameter (generalized gamma) power = power parameter (generalized gamma) scale = scale parameter (generalized gamma) beta = NVMM scale mu = NVMM location +/ this(T shape, T power, T scale, T beta, T mu) { auto pdf = GeneralizedGammaSPDF!T(shape, power, scale); immutable mean = generalizedGammaMean(shape, power, scale); super(pdf.toPDF, beta, mu, [mean]); } } /// unittest { auto cdf = new GeneralizedVarianceGammaCDF!double(3, 2, 4, 5, 6); auto x = cdf(0.1); assert(isNormal(x)); } /// unittest { final class MyGeneralizedVarianceGammaCDF(T): NumericCDF!T { this(T shape, T power, T scale, T beta, T mu) { auto pdf = new GeneralizedVarianceGammaPDF!T(shape, power, scale, beta, mu); immutable mean = mu + generalizedVarianceGammaMean(shape, power, scale, beta); super(pdf, [mean]); } } immutable double shape = 2, power = 1.2, scale = 0.3, beta = 3, mu = -1; auto p0 = new GeneralizedVarianceGammaCDF!double(shape, power, scale, beta, mu); auto p1 = new MyGeneralizedVarianceGammaCDF!double(shape, power, scale, beta, mu); foreach(i; 0..10) assert(approxEqual(p0(i), p1(i))); }
D
///* 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. // */ // // //import hunt.collection.List; // //import flow.job.service.JobServiceConfiguration; //import flow.job.service.impl.persistence.entity.HistoryJobEntity; // //import com.fasterxml.jackson.databind.node.ObjectNode; // //interface AsyncHistoryListener { // // List<HistoryJobEntity> historyDataGenerated(JobServiceConfiguration jobServiceConfiguration, List<ObjectNode> historyObjectNodes); // //}
D
of or relating to a messiah promising deliverance
D
/* Written by Walter Bright, Christopher E. Miller, and many others. * www.digitalmars.com * Placed into public domain. */ module std.c.linux.pthread; import std.c.linux.linux; extern (C): deprecated("Use core.sys.posix.pthread instead"): public import core.sys.posix.pthread;
D
/* Copyright (c) 2019-2020 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 dagon.render.deferred.particlespass; import std.stdio; import dlib.core.memory; import dlib.core.ownership; import dlib.image.color; import dagon.core.bindings; import dagon.graphics.entity; import dagon.graphics.shader; import dagon.graphics.particles; import dagon.render.pipeline; import dagon.render.pass; import dagon.render.framebuffer; import dagon.render.gbuffer; import dagon.render.shaders.particle; class DeferredParticlesPass: RenderPass { GBuffer gbuffer; ParticleShader particleShader; Framebuffer outputBuffer; this(RenderPipeline pipeline, GBuffer gbuffer, EntityGroup group = null) { super(pipeline, group); this.gbuffer = gbuffer; particleShader = New!ParticleShader(this); } void renderParticleSystem(Entity entity, ParticleSystem psys, Shader shader) { state.layer = entity.layer; state.shader = shader; state.opacity = entity.opacity; psys.render(&state); } override void render() { if (group && outputBuffer && gbuffer) { outputBuffer.bind(); state.depthTexture = gbuffer.depthTexture; glScissor(0, 0, outputBuffer.width, outputBuffer.height); glViewport(0, 0, outputBuffer.width, outputBuffer.height); glEnable(GL_BLEND); glBlendFunc(GL_SRC_ALPHA, GL_ONE); particleShader.bind(); foreach(entity; group) { if (entity.visible) { foreach(comp; entity.components.data) { ParticleSystem psys = cast(ParticleSystem)comp; if (psys) renderParticleSystem(entity, psys, particleShader); } } } particleShader.unbind(); glDisable(GL_BLEND); outputBuffer.unbind(); } } }
D
module godot.lightoccluder2d; import std.meta : AliasSeq, staticIndexOf; import std.traits : Unqual; import godot.d.meta; import godot.core; import godot.c; import godot.object; import godot.classdb; import godot.node2d; import godot.occluderpolygon2d; @GodotBaseClass struct LightOccluder2D { static immutable string _GODOT_internal_name = "LightOccluder2D"; public: union { godot_object _godot_object; Node2D base; } alias base this; alias BaseClasses = AliasSeq!(typeof(base), typeof(base).BaseClasses); package(godot) void* opCast(T : void*)() const { return cast(void*)_godot_object.ptr; } godot_object opCast(T : godot_object)() const { return cast(godot_object)_godot_object; } bool opEquals(in LightOccluder2D other) const { return _godot_object.ptr is other._godot_object.ptr; } LightOccluder2D opAssign(T : typeof(null))(T n) { _godot_object.ptr = null; } bool opEquals(typeof(null) n) const { return _godot_object.ptr is null; } bool opCast(T : bool)() const { return _godot_object.ptr !is null; } inout(T) opCast(T)() inout if(isGodotBaseClass!T) { static assert(staticIndexOf!(LightOccluder2D, T.BaseClasses) != -1, "Godot class "~T.stringof~" does not inherit LightOccluder2D"); if(_godot_object.ptr is null) return T.init; String c = String(T._GODOT_internal_name); if(is_class(c)) return inout(T)(_godot_object); return T.init; } inout(T) opCast(T)() inout if(extendsGodotBaseClass!T) { static assert(is(typeof(T.owner) : LightOccluder2D) || staticIndexOf!(LightOccluder2D, typeof(T.owner).BaseClasses) != -1, "D class "~T.stringof~" does not extend LightOccluder2D"); if(_godot_object.ptr is null) return null; if(has_method(String(`_GDNATIVE_D_typeid`))) { Object o = cast(Object)godot_nativescript_get_userdata(opCast!godot_object); return cast(inout(T))o; } return null; } static LightOccluder2D _new() { static godot_class_constructor constructor; if(constructor is null) constructor = godot_get_class_constructor("LightOccluder2D"); if(constructor is null) return typeof(this).init; return cast(LightOccluder2D)(constructor()); } void set_occluder_polygon(in OccluderPolygon2D polygon) { static godot_method_bind* mb = null; if(mb is null) mb = godot_method_bind_get_method("LightOccluder2D", "set_occluder_polygon"); const(void*)[1] _GODOT_args = [cast(void*)(polygon), ]; godot_method_bind_ptrcall(mb, cast(godot_object)(this), _GODOT_args.ptr); } OccluderPolygon2D get_occluder_polygon() const { static godot_method_bind* mb = null; if(mb is null) mb = godot_method_bind_get_method("LightOccluder2D", "get_occluder_polygon"); OccluderPolygon2D _GODOT_ret = OccluderPolygon2D.init; godot_method_bind_ptrcall(mb, cast(godot_object)(this), null, cast(void*)&_GODOT_ret); return _GODOT_ret; } void set_occluder_light_mask(in int mask) { static godot_method_bind* mb = null; if(mb is null) mb = godot_method_bind_get_method("LightOccluder2D", "set_occluder_light_mask"); const(void*)[1] _GODOT_args = [cast(void*)(&mask), ]; godot_method_bind_ptrcall(mb, cast(godot_object)(this), _GODOT_args.ptr); } int get_occluder_light_mask() const { static godot_method_bind* mb = null; if(mb is null) mb = godot_method_bind_get_method("LightOccluder2D", "get_occluder_light_mask"); int _GODOT_ret = int.init; godot_method_bind_ptrcall(mb, cast(godot_object)(this), null, cast(void*)&_GODOT_ret); return _GODOT_ret; } void _poly_changed() { Array _GODOT_args = Array.empty_array; String _GODOT_method_name = String("_poly_changed"); this.callv(_GODOT_method_name, _GODOT_args); } }
D
module hip.assets.image; //Reserved for future implementation. import hip.asset; import hip.image; import hip.util.reflection; /** * This class represents pixel data on RAM (CPU Powered) * this is useful for loading images on another thread and then * sending it to the GPU */ public class Image : HipAsset, IImage { HipImageImpl impl; string imagePath; int width,height; this(in string path) { super("Image_"~path); _typeID = assetTypeID!Image; initialize(path); } this(in string path, in ubyte[] buffer, void delegate(IImage self) onSuccess, void delegate() onFailure) { this(path); loadFromMemory(cast(ubyte[])buffer, onSuccess, onFailure); } private void initialize(string path) { import hip.util.system : sanitizePath; impl = new HipImageImpl(path); imagePath = sanitizePath(path); } static alias getPixelImage = HipImageImpl.getPixelImage; mixin(ForwardInterface!("impl", IImage)); void loadRaw(in ubyte[] pixels, int width, int height, ubyte bytesPerPixel) { impl.loadRaw(pixels, width, height, bytesPerPixel); this.width = width; this.height = height; } bool loadFromMemory(ubyte[] data,void delegate(IImage self) onSuccess, void delegate() onFailure) { bool ret = this.impl.loadFromMemory(data, (IImage self) { this.width = impl.getWidth; this.height = impl.getHeight; onSuccess(this); }, onFailure); return ret; } override void onDispose(){impl.dispose();} override void onFinishLoading(){} alias w = width; alias h = height; }
D
/* 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 derelict.openal.alfuncs; private { import derelict.util.compat; import derelict.openal.altypes; } extern(C) { mixin(gsharedString!() ~ " void function(ALenum) alEnable; void function(ALenum) alDisable; ALboolean function(ALenum) alIsEnabled; CCPTR function(ALenum) alGetString; void function(ALenum, ALboolean*) alGetBooleanv; void function(ALenum, ALint*) alGetIntegerv; void function(ALenum, ALfloat*) alGetFloatv; void function(ALenum, ALdouble*) alGetDoublev; ALboolean function(ALenum) alGetBoolean; ALint function(ALenum) alGetInteger; ALfloat function(ALenum) alGetFloat; ALdouble function(ALenum) alGetDouble; ALenum function() alGetError; ALboolean function(in char*) alIsExtensionPresent; ALboolean function(in char*) alGetProcAddress; ALenum function(in char*) alGetEnumValue; void function(ALenum, ALfloat) alListenerf; void function(ALenum, ALfloat, ALfloat, ALfloat) alListener3f; void function(ALenum, in ALfloat*) alListenerfv; void function(ALenum, ALint) alListeneri; void function(ALenum, ALint, ALint, ALint) alListener3i; void function(ALenum, in ALint*) alListeneriv; void function(ALenum, ALfloat*) alGetListenerf; void function(ALenum, ALfloat*, ALfloat*, ALfloat*) alGetListener3f; void function(ALenum, ALfloat*) alGetListenerfv; void function(ALenum, ALint*) alGetListeneri; void function(ALenum, ALint*, ALint*, ALint*) alGetListener3i; void function(ALenum, ALint*) alGetListeneriv; void function(ALsizei, ALuint*) alGenSources; void function(ALsizei, in ALuint*) alDeleteSources; ALboolean function(ALuint) alIsSource; void function(ALuint, ALenum, ALfloat) alSourcef; void function(ALuint, ALenum, ALfloat, ALfloat, ALfloat) alSource3f; void function(ALuint, ALenum, in ALfloat*) alSourcefv; void function(ALuint, ALenum, ALint) alSourcei; void function(ALuint, ALenum, ALint, ALint, ALint) alSource3i; void function(ALuint, ALenum, in ALint*) alSourceiv; void function(ALuint, ALenum, ALfloat*) alGetSourcef; void function(ALuint, ALenum, ALfloat*, ALfloat*, ALfloat*) alGetSource3f; void function(ALuint, ALenum, ALfloat*) alGetSourcefv; void function(ALuint, ALenum, ALint*) alGetSourcei; void function(ALuint, ALenum, ALint*, ALint*, ALint*) alGetSource3i; void function(ALuint, ALenum, ALint*) alGetSourceiv; void function(ALsizei, in ALuint*) alSourcePlayv; void function(ALsizei, in ALuint*) alSourceStopv; void function(ALsizei, in ALuint*) alSourceRewindv; void function(ALsizei, in ALuint*) alSourcePausev; void function(ALuint) alSourcePlay; void function(ALuint) alSourcePause; void function(ALuint) alSourceRewind; void function(ALuint) alSourceStop; void function(ALuint, ALsizei, ALuint*) alSourceQueueBuffers; void function(ALuint, ALsizei, ALuint*) alSourceUnqueueBuffers; void function(ALsizei, ALuint*) alGenBuffers; void function(ALsizei, in ALuint*) alDeleteBuffers; ALboolean function(ALuint) alIsBuffer; void function(ALuint, ALenum, in ALvoid*, ALsizei, ALsizei) alBufferData; void function(ALuint, ALenum, ALfloat) alBufferf; void function(ALuint, ALenum, ALfloat, ALfloat, ALfloat) alBuffer3f; void function(ALuint, ALenum, in ALfloat*) alBufferfv; void function(ALuint, ALenum, ALint) alBufferi; void function(ALuint, ALenum, ALint, ALint, ALint) alBuffer3i; void function(ALuint, ALenum, in ALint*) alBufferiv; void function(ALuint, ALenum, ALfloat*) alGetBufferf; void function(ALuint, ALenum, ALfloat*, ALfloat*, ALfloat*) alGetBuffer3f; void function(ALuint, ALenum, ALfloat*) alGetBufferfv; void function(ALuint, ALenum, ALint*) alGetBufferi; void function(ALuint, ALenum, ALint*, ALint*, ALint*) alGetBuffer3i; void function(ALuint, ALenum, ALint*) alGetBufferiv; void function(ALfloat) alDopplerFactor; void function(ALfloat) alDopplerVelocity; void function(ALfloat) alSpeedOfSound; void function(ALenum) alDistanceModel; ALCcontext* function(ALCdevice*, in ALCint*) alcCreateContext; ALCboolean function(ALCcontext*) alcMakeContextCurrent; void function(ALCcontext*) alcProcessContext; void function(ALCcontext*) alcSuspendContext; void function(ALCcontext*) alcDestroyContext; ALCcontext* function() alcGetCurrentContext; ALCdevice* function(ALCcontext*) alcGetContextsDevice; ALCdevice* function(in char*) alcOpenDevice; ALCboolean function(ALCdevice*) alcCloseDevice; ALCenum function(ALCdevice*) alcGetError; ALCboolean function(ALCdevice*, in char*) alcIsExtensionPresent; void* function(ALCdevice*, in char*) alcGetProcAddress; ALCenum function(ALCdevice*, in char*) alcGetEnumValue; CCPTR function(ALCdevice*, ALCenum) alcGetString; void function(ALCdevice*, ALCenum, ALCsizei, ALCint*) alcGetIntegerv; ALCdevice* function(in char*, ALCuint, ALCenum, ALCsizei) alcCaptureOpenDevice; ALCboolean function(ALCdevice*) alcCaptureCloseDevice; void function(ALCdevice*) alcCaptureStart; void function(ALCdevice*) alcCaptureStop; void function(ALCdevice*, ALCvoid*, ALCsizei) alcCaptureSamples; "); }
D
/Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageModifier.o : /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/String+MD5.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Resource.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Image.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageCache.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageTransition.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Placeholder.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Kingfisher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageModifier.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/RequestModifier.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Filter.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Indicator.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Box.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/os.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/Accelerate.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/os.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/gbs/Xcode/MessView/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Kingfisher.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /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/Accelerate.framework/Headers/Accelerate.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/gbs/Xcode/MessView/DerivedData/MessView/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageModifier~partial.swiftmodule : /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/String+MD5.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Resource.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Image.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageCache.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageTransition.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Placeholder.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Kingfisher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageModifier.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/RequestModifier.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Filter.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Indicator.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Box.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/os.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/Accelerate.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/os.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/gbs/Xcode/MessView/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Kingfisher.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /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/Accelerate.framework/Headers/Accelerate.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/gbs/Xcode/MessView/DerivedData/MessView/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/Objects-normal/x86_64/ImageModifier~partial.swiftdoc : /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/String+MD5.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Resource.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Image.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageCache.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageTransition.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/KingfisherOptionsInfo.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageDownloader.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Placeholder.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/KingfisherManager.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImagePrefetcher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/UIButton+Kingfisher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageView+Kingfisher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Kingfisher.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageModifier.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/RequestModifier.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ThreadHelper.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Filter.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/CacheSerializer.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/FormatIndicatedCacheSerializer.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/ImageProcessor.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Indicator.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/AnimatedImageView.swift /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Box.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/os.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/Accelerate.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/os.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/gbs/Xcode/MessView/Pods/Target\ Support\ Files/Kingfisher/Kingfisher-umbrella.h /Users/gbs/Xcode/MessView/Pods/Kingfisher/Sources/Kingfisher.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Kingfisher.build/unextended-module.modulemap /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/Accelerate.framework/Headers/Accelerate.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
module gamemain; import std.math; import std.stdio; import std.string; import std.windows.charset; import DX_lib; import convert; //ゲームの状態 enum mode { TITLE, NEWGAME, CONTINUE, MOVEINPUT, STAGE_CLEAR, GAME_CLEAR, }; //マップ上のオブジェクト enum Object{ OBJ_SPACE, OBJ_WALL, OBJ_GOAL, OBJ_BLOCK, OBJ_BLOCK_ON_GOAL, OBJ_MAN, OBJ_MAN_ON_GOAL, OBJ_UNKNOWN, }; class GameMain { mode gameMode; //ゲームの状態を表す int[] key; // キーが押されているフレーム数を格納する const int stageHeight = 7; //マップの高さ const int stageWidth = 7; //マップの横幅 Object[stageHeight][stageWidth] stageMap; const int stageTotalNumber = 5; //ゲームのステージの総数 int currentStageNum = 1; //現在のステージ数 //フォントの色とフォントの指定 int fontType = 0; int white = 0; //ゲームのキャラクター int playerbuf = 0; int boxbuf = 0; int wallbuf = 0; int waybuf = 0; int goalbuf = 0; //コンストラクタ this() { //変数の初期化 this.key = new int[256]; this.gameMode = mode.TITLE; //ゲームモードをゲームの新規開始にする //フォントの色とフォントの指定(ゲームクリア時に使用) this.fontType = dx_CreateFontToHandle(null, 64, 5, -1); this.white = dx_GetColor(255, 255, 255); //画面のキャラクターを読み込む this.playerbuf = dx_LoadGraph(cast(char*)"gamedata\\player.png"); this.boxbuf = dx_LoadGraph(cast(char*)"gamedata\\box.png"); this.wallbuf = dx_LoadGraph(cast(char*)"gamedata\\wall.png"); this.waybuf = dx_LoadGraph(cast(char*)"gamedata\\way.png"); this.goalbuf = dx_LoadGraph(cast(char*)"gamedata\\goal.png"); } //タイトル画面の作成と表示 public void showTitle() { byte[] tmpKey = new byte[256]; // 現在のキーの入力状態を格納する string titleStr = format("倉庫番娘"); titleStr = convertsMultibyteStringOfUtf(titleStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawStringToHandle(180, 100, cast(char*)toStringz(titleStr), white, fontType); //Enterキー入力待ちのメッセージ dx_DrawString(200, 300, cast(char*)toStringz("Please Press the Enter key"), white); dx_GetHitKeyStateAll(cast(byte*)tmpKey); // 全てのキーの入力状態を得る //Enterキーが押された場合 if (tmpKey[KEY_INPUT_RETURN] == 1) { this.gameMode = mode.NEWGAME; } return; } //ゲームの開始準備 public void gameInitialize() { //マップをファイルから読み込む this.mapInitialize("gamedata\\map1.txt"); //ゲームの初期化処理が終わった為、ゲーム本編の画面に移動する gameMode = mode.MOVEINPUT; return; } //マップの読み込みと初期化 private void mapInitialize(string fileName) { char[stageHeight][stageWidth] tempMap; //ファイルから読み込んだマップ //ファイルを読み込む auto fp = File(fileName, "r"); for (int i= 0; i < stageHeight; i++) { char[] line; fp.readln(line); for (int j= 0; j < stageWidth; j++) { tempMap[i][j] = line[j]; } } //ファイルから読み込んだマップをゲーム内部のマップに変換する for (int i= 0; i < stageHeight; i++) { for (int j= 0; j < stageWidth; j++) { switch(tempMap[i][j]) { case '#': stageMap[i][j] = Object.OBJ_WALL; break; case ' ': stageMap[i][j] = Object.OBJ_SPACE; break; case 'o': stageMap[i][j] = Object.OBJ_BLOCK; break; case 'O': stageMap[i][j] = Object.OBJ_BLOCK_ON_GOAL; break; case '.': stageMap[i][j] = Object.OBJ_GOAL; break; case 'p': stageMap[i][j] = Object.OBJ_MAN; break; case 'P': stageMap[i][j] = Object.OBJ_MAN_ON_GOAL; break; default: stageMap[i][j] = Object.OBJ_UNKNOWN; break; } } } return; } //ゲーム内部の計算フェーズ public void calc() { //ゲームのクリアチェック if (this.checkClear()) { //フラグを更新し、ゲームのクリア画面へ移動 gameMode = mode.STAGE_CLEAR; return; } //入力取得 this.updateKey(); //Rキーが押された事を感知すると、マップを初期の状態に戻す this.mapReset(); //ゲーム内部の更新処理 this.upDate(); return; } //ゲームのクリアチェック private bool checkClear() { //マップ上にブロックが無ければ、クリアしている for (int i = 0; i < stageHeight; i++) { for (int j= 0; j < stageWidth; j++) { if (stageMap[i][j] == Object.OBJ_BLOCK) { return false; } } } return true; } //キーの入力状態を更新する private int updateKey() { byte[] tmpKey = new byte[256]; //現在のキーの入力状態を格納する dx_GetHitKeyStateAll(cast(byte*)tmpKey); //全てのキーの入力状態を得る for (int i = 0; i < 256; i++) { if (tmpKey[i] != 0) { // i番のキーコードに対応するキーが押されていたら key[i]++; //加算 } else { //押されていなければ key[i] = 0; //0にする } } return 0; } //マップをリセットする private void mapReset() { //Rキーが押された if (key[KEY_INPUT_R] == 1) { //マップをリセットする string fileName = format("gamedata\\map%d.txt", currentStageNum); this.mapInitialize(fileName); } return; } //ゲームのアップデート処理 private void upDate() { //プレイヤーの座標 int playerX = 0; int playerY = 0; //移動先差分 int destinationDifferenceX = 0; int destinationDifferenceY = 0; //プレイヤーの座標を調べる for (int i = 0; i < stageHeight; i++) { for (int j= 0; j < stageWidth; j++) { if (stageMap[i][j] == Object.OBJ_MAN || stageMap[i][j] == Object.OBJ_MAN_ON_GOAL) { playerY = i; playerX = j; break; } } } //移動 if (key[KEY_INPUT_UP] == 1) { //上キーが押された destinationDifferenceY = -1; } if (key[KEY_INPUT_DOWN] == 1) { //下キーが押された destinationDifferenceY = 1; } if (key[KEY_INPUT_RIGHT] == 1) { //右キーが押された destinationDifferenceX = 1; } if (key[KEY_INPUT_LEFT] == 1) { //左キーが押された destinationDifferenceX = -1; } //移動後の座標の変数 int afterMovingX = playerX + destinationDifferenceX; int afterMovingY = playerY + destinationDifferenceY; //座標の最大最小チェック。外れていれば不許可 if (afterMovingX >= stageWidth || afterMovingY >= stageHeight) { return; } //移動先が空白、またはゴールだった場合、人が移動する if (stageMap[afterMovingY][afterMovingX] == Object.OBJ_SPACE || stageMap[afterMovingY][afterMovingX] == Object.OBJ_GOAL) { //移動先がゴールなら、ゴール上の人になる if (stageMap[afterMovingY][afterMovingX] == Object.OBJ_GOAL) { stageMap[afterMovingY][afterMovingX] = Object.OBJ_MAN_ON_GOAL; } else { stageMap[afterMovingY][afterMovingX] = Object.OBJ_MAN; } //元々、ゴールの上にいたのなら、ゴール上の人は普通のゴールになる if (stageMap[playerY][playerX] == Object.OBJ_MAN_ON_GOAL) { stageMap[playerY][playerX] = Object.OBJ_GOAL; } else { stageMap[playerY][playerX] = Object.OBJ_SPACE; } //移動先が箱。移動先の次のマスが空白、またはゴールであれば移動する } else if (stageMap[afterMovingY][afterMovingX] == Object.OBJ_BLOCK || stageMap[afterMovingY][afterMovingX] == Object.OBJ_BLOCK_ON_GOAL) { //移動先の次のマスの座標 int afterMovingX2 = afterMovingX + destinationDifferenceX; int afterMovingY2 = afterMovingY + destinationDifferenceY; //移動先の次がマップの範囲内かチェックする。範囲外であれば、押せない if (afterMovingX2 >= stageWidth || afterMovingY2 >= stageHeight) { return; } //移動先の次が空白、またはゴールである場合、マスを順次入れ替える if (stageMap[afterMovingY2][afterMovingX2] == Object.OBJ_SPACE || stageMap[afterMovingY2][afterMovingX2] == Object.OBJ_GOAL) { if (stageMap[afterMovingY2][afterMovingX2] == Object.OBJ_GOAL) { stageMap[afterMovingY2][afterMovingX2] = Object.OBJ_BLOCK_ON_GOAL; } else { stageMap[afterMovingY2][afterMovingX2] = Object.OBJ_BLOCK; } if (stageMap[afterMovingY][afterMovingX] == Object.OBJ_BLOCK_ON_GOAL) { stageMap[afterMovingY][afterMovingX] = Object.OBJ_MAN_ON_GOAL; } else { stageMap[afterMovingY][afterMovingX] = Object.OBJ_MAN; } if (stageMap[playerY][playerX] == Object.OBJ_MAN_ON_GOAL) { stageMap[playerY][playerX] = Object.OBJ_GOAL; } else { stageMap[playerY][playerX] = Object.OBJ_SPACE; } } } } //ゲーム画面の描画フェーズ public void draw() { //ゲームの説明等の表示 string stageStr = format("STAGE %d", currentStageNum); stageStr = convertsMultibyteStringOfUtf(stageStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawString(460, 50, cast(char*)toStringz(stageStr), white); string messageStr = "Please input key"; messageStr = convertsMultibyteStringOfUtf(messageStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawString(460, 80, cast(char*)toStringz(messageStr), white); string upStr = " ↑ "; upStr = convertsMultibyteStringOfUtf(upStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawString(460, 100, cast(char*)toStringz(upStr), white); string rightLeftStr = "← →"; rightLeftStr = convertsMultibyteStringOfUtf(rightLeftStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawString(460, 120, cast(char*)toStringz(rightLeftStr), white); string downStr = " ↓ "; downStr = convertsMultibyteStringOfUtf(downStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawString(460, 140, cast(char*)toStringz(downStr), white); string resetMessageStr = "リセット : R"; resetMessageStr = convertsMultibyteStringOfUtf(resetMessageStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawString(460, 180, cast(char*)toStringz(resetMessageStr), white); //マップの配置通りにグラフィックを描画する for (int i= 0; i < stageHeight; i++) { for (int j= 0; j < stageWidth; j++) { switch(stageMap[i][j]) { case Object.OBJ_WALL: dx_DrawGraph(j * 50 + 60, i * 50 + 80, wallbuf, true); break; case Object.OBJ_SPACE: dx_DrawGraph(j * 50 + 60, i * 50 + 80, waybuf, true); break; case Object.OBJ_BLOCK: dx_DrawGraph(j * 50 + 60, i * 50 + 80, waybuf, true); dx_DrawGraph(j * 50 + 60, i * 50 + 80, boxbuf, true); break; case Object.OBJ_BLOCK_ON_GOAL: dx_DrawGraph(j * 50 + 60, i * 50 + 80, waybuf, true); dx_DrawGraph(j * 50 + 60, i * 50 + 80, boxbuf, true); break; case Object.OBJ_GOAL: dx_DrawGraph(j * 50 + 60, i * 50 + 80, goalbuf, true); break; case Object.OBJ_MAN: dx_DrawGraph(j * 50 + 60, i * 50 + 80, waybuf, true); dx_DrawGraph(j * 50 + 60, i * 50 + 80, playerbuf, true); break; case Object.OBJ_MAN_ON_GOAL: dx_DrawGraph(j * 50 + 60, i * 50 + 80, waybuf, true); dx_DrawGraph(j * 50 + 60, i * 50 + 80, playerbuf, true); break; case Object.OBJ_UNKNOWN: dx_DrawGraph(j * 50 + 60, i * 50 + 80, wallbuf, true); break; default: dx_DrawGraph(j * 50 + 60, i * 50 + 80, wallbuf, true); break; } } } return; } //ステージクリア画面の描画フェーズ public void stageClear() { //クリアしたステージが規定のステージ数を超えたら、ゲームはクリアした状態になる if (currentStageNum == stageTotalNumber) { this.gameMode = mode.GAME_CLEAR; return; } //クリアしたステージ数が規定の数に達しなければ、次のステージに進む if (currentStageNum < stageTotalNumber) { //ステージクリア画面の表示 string stageStr = format(" STAGE"); stageStr = convertsMultibyteStringOfUtf(stageStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawStringToHandle(29, 179, cast(char*)toStringz(stageStr), white, fontType); string clearStr = format("CLEAR!!"); clearStr = convertsMultibyteStringOfUtf(clearStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawStringToHandle(29, 229, cast(char*)toStringz(clearStr), white, fontType); //Enterキー入力待ちのメッセージ string enterMessageStr = format("Please Press the Enter key"); enterMessageStr = convertsMultibyteStringOfUtf(enterMessageStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawString(150, 300, cast(char*)toStringz(enterMessageStr), white); //ここにEnterキーを押したら、次のステージのマップを生成し、新しいステージを始める処理を書く byte[] tmpKey = new byte[256]; // 現在のキーの入力状態を格納する dx_GetHitKeyStateAll(cast(byte*)tmpKey); // 全てのキーの入力状態を得る //Enterキーが押された場合 if (tmpKey[KEY_INPUT_RETURN] == 1) { //現在のステージを更新 this.currentStageNum++; //新しいマップを読み込む string fileName = format("gamedata\\map%d.txt", currentStageNum); //マップをファイルから読み込む this.mapInitialize(fileName); this.gameMode = mode.MOVEINPUT; } } return; } //ステージクリア画面の描画フェーズ public void gameClear() { //ゲームクリア画面の表示 string gameStr = format("GAME"); gameStr = convertsMultibyteStringOfUtf(gameStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawStringToHandle(29, 179, cast(char*)toStringz(gameStr), white, fontType); string clearStr = format("CLEAR!!"); clearStr = convertsMultibyteStringOfUtf(clearStr); //文字列をUTF-8からマルチバイト文字列に変換する dx_DrawStringToHandle(29, 229, cast(char*)toStringz(clearStr), white, fontType); return; } }
D
/Users/hashgard-01/rust/src/github.com/adao/target/release/deps/crypto_mac-9e6160655b9b8f7f.rmeta: /Users/hashgard-01/.cargo/registry/src/github.com-1ecc6299db9ec823/crypto-mac-0.4.0/src/lib.rs /Users/hashgard-01/rust/src/github.com/adao/target/release/deps/libcrypto_mac-9e6160655b9b8f7f.rlib: /Users/hashgard-01/.cargo/registry/src/github.com-1ecc6299db9ec823/crypto-mac-0.4.0/src/lib.rs /Users/hashgard-01/rust/src/github.com/adao/target/release/deps/crypto_mac-9e6160655b9b8f7f.d: /Users/hashgard-01/.cargo/registry/src/github.com-1ecc6299db9ec823/crypto-mac-0.4.0/src/lib.rs /Users/hashgard-01/.cargo/registry/src/github.com-1ecc6299db9ec823/crypto-mac-0.4.0/src/lib.rs:
D
/** The purpose of this module is to provide audio functions for things like playback, capture, and volume on both Windows (via the mmsystem calls)and Linux (through ALSA). It is only aimed at the basics, and will be filled in as I want a particular feature. I don't generally need super configurability and see it as a minus, since I don't generally care either, so I'm going to be going for defaults that just work. If you need more though, you can hack the source or maybe just use it for the operating system bindings. For example, I'm starting this because I want to write a volume control program for my linux box, so that's what is going first. That will consist of a listening callback for volume changes and being able to get/set the volume. HOW IT WORKS: You make a callback which feeds data to the device. Make an AudioOutput struct then feed your callback to it. Then play. Then call loop? Or that could be in play? Methods: setCallback play pause TODO: * play audio high level with options to wait until completion or return immediately * midi mid-level stuff * audio callback stuff (it tells us when to fill the buffer) * Windows support for waveOut and waveIn. Maybe mixer too, but that's lowest priority. * I'll also write .mid and .wav functions at least eventually. Maybe in separate modules but probably here since they aren't that complex. I will probably NOT do OSS anymore, since my computer doesn't even work with it now. Ditto for Macintosh, as I don't have one and don't really care about them. */ module arsd.simpleaudio; enum BUFFER_SIZE_FRAMES = 1024;//512;//2048; enum BUFFER_SIZE_SHORT = BUFFER_SIZE_FRAMES * 2; version(Demo) void main() { version(none) { import iv.stb.vorbis; int channels; short* decoded; auto v = new VorbisDecoder("test.ogg"); auto ao = AudioOutput(0); ao.fillData = (short[] buffer) { auto got = v.getSamplesShortInterleaved(2, buffer.ptr, buffer.length); if(got == 0) { ao.stop(); } }; ao.play(); return; } auto thread = new AudioPcmOutThread(); thread.start(); thread.playOgg("test.ogg"); Thread.sleep(5.seconds); //Thread.sleep(150.msecs); thread.beep(); Thread.sleep(250.msecs); thread.blip(); Thread.sleep(250.msecs); thread.boop(); Thread.sleep(1000.msecs); /* thread.beep(800, 500); Thread.sleep(500.msecs); thread.beep(366, 500); Thread.sleep(600.msecs); thread.beep(800, 500); thread.beep(366, 500); Thread.sleep(500.msecs); Thread.sleep(150.msecs); thread.beep(200); Thread.sleep(150.msecs); thread.beep(100); Thread.sleep(150.msecs); thread.noise(); Thread.sleep(150.msecs); */ thread.stop(); thread.join(); return; /* auto aio = AudioMixer(0); import std.stdio; writeln(aio.muteMaster); */ /* mciSendStringA("play test.wav", null, 0, null); Sleep(3000); import std.stdio; if(auto err = mciSendStringA("play test2.wav", null, 0, null)) writeln(err); Sleep(6000); return; */ // output about a second of random noise to demo PCM auto ao = AudioOutput(0); short[BUFFER_SIZE_SHORT] randomSpam = void; import core.stdc.stdlib; foreach(ref s; randomSpam) s = cast(short)((cast(short) rand()) - short.max / 2); int loopCount = 40; //import std.stdio; //writeln("Should be about ", loopCount * BUFFER_SIZE_FRAMES * 1000 / SampleRate, " microseconds"); int loops = 0; // only do simple stuff in here like fill the data, set simple // variables, or call stop anything else might cause deadlock ao.fillData = (short[] buffer) { buffer[] = randomSpam[0 .. buffer.length]; loops++; if(loops == loopCount) ao.stop(); }; ao.play(); return; // Play a C major scale on the piano to demonstrate midi auto midi = MidiOutput(0); ubyte[16] buffer = void; ubyte[] where = buffer[]; midi.writeRawMessageData(where.midiProgramChange(1, 1)); for(ubyte note = MidiNote.C; note <= MidiNote.C + 12; note++) { where = buffer[]; midi.writeRawMessageData(where.midiNoteOn(1, note, 127)); import core.thread; Thread.sleep(dur!"msecs"(500)); midi.writeRawMessageData(where.midiNoteOff(1, note, 127)); if(note != 76 && note != 83) note++; } import core.thread; Thread.sleep(dur!"msecs"(500)); // give the last note a chance to finish } import core.thread; /++ Makes an audio thread for you that you can make various sounds on and it will mix them with good enough latency for simple games. --- auto audio = new AudioPcmOutThread(); audio.start(); scope(exit) { audio.stop(); audio.join(); } audio.beep(); // you need to keep the main program alive long enough // to keep this thread going to hear anything Thread.sleep(1.seconds); --- +/ final class AudioPcmOutThread : Thread { /// this() { super(&run); } /// void stop() { if(ao) { ao.stop(); } } /// Args in hertz and milliseconds void beep(int freq = 900, int dur = 150, int volume = 50) { Sample s; s.operation = 0; // square wave s.frequency = SampleRate / freq; s.duration = dur * SampleRate / 1000; s.volume = volume; addSample(s); } /// void noise(int dur = 150, int volume = 50) { Sample s; s.operation = 1; // noise s.frequency = 0; s.volume = volume; s.duration = dur * SampleRate / 1000; addSample(s); } /// void boop(float attack = 8, int freqBase = 500, int dur = 150, int volume = 50) { Sample s; s.operation = 5; // custom s.volume = volume; s.duration = dur * SampleRate / 1000; s.f = delegate short(int x) { auto currentFrequency = cast(float) freqBase / (1 + cast(float) x / (cast(float) SampleRate / attack)); import std.math; auto freq = 2 * PI / (cast(float) SampleRate / currentFrequency); return cast(short) (sin(cast(float) freq * cast(float) x) * short.max * 100 / volume); }; addSample(s); } /// void blip(float attack = 6, int freqBase = 800, int dur = 150, int volume = 50) { Sample s; s.operation = 5; // custom s.volume = volume; s.duration = dur * SampleRate / 1000; s.f = delegate short(int x) { auto currentFrequency = cast(float) freqBase * (1 + cast(float) x / (cast(float) SampleRate / attack)); import std.math; auto freq = 2 * PI / (cast(float) SampleRate / currentFrequency); return cast(short) (sin(cast(float) freq * cast(float) x) * short.max * 100 / volume); }; addSample(s); } version(none) void custom(int dur = 150, int volume = 50) { Sample s; s.operation = 5; // custom s.volume = volume; s.duration = dur * SampleRate / 1000; s.f = delegate short(int x) { auto currentFrequency = 500.0 / (1 + cast(float) x / (cast(float) SampleRate / 8)); import std.math; auto freq = 2 * PI / (cast(float) SampleRate / currentFrequency); return cast(short) (sin(cast(float) freq * cast(float) x) * short.max * 100 / volume); }; addSample(s); } /// Requires vorbis.d to be compiled in (module iv.stb.vorbis) void playOgg()(string filename, bool loop = false) { import iv.stb.vorbis; auto v = new VorbisDecoder(filename); addChannel( delegate bool(short[] buffer) { auto got = v.getSamplesShortInterleaved(2, buffer.ptr, buffer.length); if(got == 0) { if(loop) { v.seekStart(); return true; } return false; } return true; } ); } struct Sample { int operation; int frequency; /* in samples */ int duration; /* in samples */ int volume; /* between 1 and 100 */ int delay; /* in samples */ int x; short delegate(int x) f; } final void addSample(Sample currentSample) { int frequencyCounter; short val = cast(short) (cast(int) short.max * currentSample.volume / 100); addChannel( delegate bool (short[] buffer) { if(currentSample.duration) { size_t i = 0; if(currentSample.delay) { if(buffer.length <= currentSample.delay * 2) { // whole buffer consumed by delay buffer[] = 0; currentSample.delay -= buffer.length / 2; } else { i = currentSample.delay * 2; buffer[0 .. i] = 0; currentSample.delay = 0; } } if(currentSample.delay > 0) return true; size_t sampleFinish; if(currentSample.duration * 2 <= buffer.length) { sampleFinish = currentSample.duration * 2; currentSample.duration = 0; } else { sampleFinish = buffer.length; currentSample.duration -= buffer.length / 2; } switch(currentSample.operation) { case 0: // square wave for(; i < sampleFinish; i++) { buffer[i] = val; // left and right do the same thing so we only count // every other sample if(i & 1) { if(frequencyCounter) frequencyCounter--; if(frequencyCounter == 0) { // are you kidding me dmd? random casts suck val = cast(short) -cast(int)(val); frequencyCounter = currentSample.frequency / 2; } } } break; case 1: // noise for(; i < sampleFinish; i++) { import std.random; buffer[i] = uniform(short.min, short.max); } break; /+ case 2: // triangle wave for(; i < sampleFinish; i++) { buffer[i] = val; // left and right do the same thing so we only count // every other sample if(i & 1) { if(frequencyCounter) frequencyCounter--; if(frequencyCounter == 0) { val = 0; frequencyCounter = currentSample.frequency / 2; } } } break; case 3: // sawtooth wave case 4: // sine wave +/ case 5: // custom function val = currentSample.f(currentSample.x); for(; i < sampleFinish; i++) { buffer[i] = val; if(i & 1) { currentSample.x++; val = currentSample.f(currentSample.x); } } break; default: // unknown; use silence currentSample.duration = 0; } if(i < buffer.length) buffer[i .. $] = 0; return currentSample.duration > 0; } else { return false; } } ); } /++ The delegate returns false when it is finished (true means keep going). It must fill the buffer with waveform data on demand and must be latency sensitive; as fast as possible. +/ public void addChannel(bool delegate(short[] buffer) dg) { synchronized(this) { // silently drops info if we don't have room in the buffer... // don't do a lot of long running things lol if(fillDatasLength < fillDatas.length) fillDatas[fillDatasLength++] = dg; } } private { AudioOutput* ao; bool delegate(short[] buffer)[32] fillDatas; int fillDatasLength = 0; } private void run() { AudioOutput ao = AudioOutput(0); this.ao = &ao; ao.fillData = (short[] buffer) { short[BUFFER_SIZE_SHORT] bfr; bool first = true; if(fillDatasLength) { for(int idx = 0; idx < fillDatasLength; idx++) { auto dg = fillDatas[idx]; auto ret = dg(bfr[0 .. buffer.length][]); foreach(i, v; bfr[0 .. buffer.length][]) { int val; if(first) val = 0; else val = buffer[i]; int a = val + short.max; int b = v + short.max; val = a + b - (a * b)/(short.max*2); val -= short.max; buffer[i] = cast(short) val; } if(!ret) { // it returned false meaning this one is finished... synchronized(this) { fillDatas[idx] = fillDatas[fillDatasLength - 1]; fillDatasLength--; } idx--; } first = false; } } else { buffer[] = 0; } }; ao.play(); } } import core.stdc.config; version(linux) version=ALSA; version(Windows) version=WinMM; enum SampleRate = 44100; version(ALSA) { enum cardName = "plug:default"; // this is the virtual rawmidi device on my computer at least // maybe later i'll make it probe // // Getting midi to actually play on Linux is a bit of a pain. // Here's what I did: /* # load the kernel driver, if amidi -l gives ioctl error, # you haven't done this yet! modprobe snd-virmidi # start a software synth. timidity -iA is also an option fluidsynth soundfont.sf2 # connect the virtual hardware port to the synthesizer aconnect 24:0 128:0 I might also add a snd_seq client here which is a bit easier to setup but for now I'm using the rawmidi so you gotta get them connected somehow. */ enum midiName = "hw:3,0"; } /// Thrown on audio failures. /// Subclass this to provide OS-specific exceptions class AudioException : Exception { this(string message, string file = __FILE__, size_t line = __LINE__, Throwable next = null) { super(message, file, line, next); } } /// Gives PCM input access (such as a microphone). version(ALSA) // FIXME struct AudioInput { version(ALSA) { snd_pcm_t* handle; } @disable this(); @disable this(this); /// Always pass card == 0. this(int card) { assert(card == 0); version(ALSA) { handle = openAlsaPcm(snd_pcm_stream_t.SND_PCM_STREAM_CAPTURE); } else static assert(0); } /// Data is delivered as interleaved stereo, LE 16 bit, 44.1 kHz /// Each item in the array thus alternates between left and right channel /// and it takes a total of 88,200 items to make one second of sound. /// /// Returns the slice of the buffer actually read into short[] read(short[] buffer) { version(ALSA) { snd_pcm_sframes_t read; read = snd_pcm_readi(handle, buffer.ptr, buffer.length / 2 /* div number of channels apparently */); if(read < 0) throw new AlsaException("pcm read", cast(int)read); return buffer[0 .. read * 2]; } else static assert(0); } // FIXME: add async function hooks ~this() { version(ALSA) { snd_pcm_close(handle); } else static assert(0); } } /// Gives PCM output access (such as the speakers). struct AudioOutput { version(ALSA) { snd_pcm_t* handle; } else version(WinMM) { HWAVEOUT handle; } @disable this(); // This struct must NEVER be moved or copied, a pointer to it may // be passed to a device driver and stored! @disable this(this); /// Always pass card == 0. this(int card) { assert(card == 0); version(ALSA) { handle = openAlsaPcm(snd_pcm_stream_t.SND_PCM_STREAM_PLAYBACK); } else version(WinMM) { WAVEFORMATEX format; format.wFormatTag = WAVE_FORMAT_PCM; format.nChannels = 2; format.nSamplesPerSec = SampleRate; format.nAvgBytesPerSec = SampleRate * 2 * 2; // two channels, two bytes per sample format.nBlockAlign = 4; format.wBitsPerSample = 16; format.cbSize = 0; if(auto err = waveOutOpen(&handle, WAVE_MAPPER, &format, &mmCallback, &this, CALLBACK_FUNCTION)) throw new WinMMException("wave out open", err); } else static assert(0); } /// passes a buffer of data to fill /// /// Data is assumed to be interleaved stereo, LE 16 bit, 44.1 kHz /// Each item in the array thus alternates between left and right channel /// and it takes a total of 88,200 items to make one second of sound. void delegate(short[]) fillData; shared(bool) playing = false; // considered to be volatile /// Starts playing, loops until stop is called void play() { assert(fillData !is null); playing = true; version(ALSA) { short[BUFFER_SIZE_SHORT] buffer; while(playing) { auto err = snd_pcm_wait(handle, 500); if(err < 0) throw new AlsaException("uh oh", err); // err == 0 means timeout // err == 1 means ready auto ready = snd_pcm_avail_update(handle); if(ready < 0) throw new AlsaException("avail", cast(int)ready); if(ready > BUFFER_SIZE_FRAMES) ready = BUFFER_SIZE_FRAMES; //import std.stdio; writeln("filling ", ready); fillData(buffer[0 .. ready * 2]); if(playing) { snd_pcm_sframes_t written; auto data = buffer[0 .. ready * 2]; while(data.length) { written = snd_pcm_writei(handle, data.ptr, data.length / 2); if(written < 0) { written = snd_pcm_recover(handle, cast(int)written, 0); if (written < 0) throw new AlsaException("pcm write", cast(int)written); } data = data[written * 2 .. $]; } } } } else version(WinMM) { enum numBuffers = 4; // use a lot of buffers to get smooth output with Sleep, see below short[BUFFER_SIZE_SHORT][numBuffers] buffers; WAVEHDR[numBuffers] headers; foreach(i, ref header; headers) { // since this is wave out, it promises not to write... auto buffer = buffers[i][]; header.lpData = cast(void*) buffer.ptr; header.dwBufferLength = cast(int) buffer.length * cast(int) short.sizeof; header.dwFlags = WHDR_BEGINLOOP | WHDR_ENDLOOP; header.dwLoops = 1; if(auto err = waveOutPrepareHeader(handle, &header, header.sizeof)) throw new WinMMException("prepare header", err); // prime it fillData(buffer[]); // indicate that they are filled and good to go header.dwUser = 1; } while(playing) { // and queue both to be played, if they are ready foreach(ref header; headers) if(header.dwUser) { if(auto err = waveOutWrite(handle, &header, header.sizeof)) throw new WinMMException("wave out write", err); header.dwUser = 0; } Sleep(1); // the system resolution may be lower than this sleep. To avoid gaps // in output, we use multiple buffers. Might introduce latency, not // sure how best to fix. I don't want to busy loop... } // wait for the system to finish with our buffers bool anyInUse = true; while(anyInUse) { anyInUse = false; foreach(header; headers) { if(!header.dwUser) { anyInUse = true; break; } } if(anyInUse) Sleep(1); } foreach(ref header; headers) if(auto err = waveOutUnprepareHeader(handle, &header, header.sizeof)) throw new WinMMException("unprepare", err); } else static assert(0); } /// Breaks the play loop void stop() { playing = false; } version(WinMM) { extern(Windows) static void mmCallback(HWAVEOUT handle, UINT msg, void* userData, DWORD param1, DWORD param2) { AudioOutput* ao = cast(AudioOutput*) userData; if(msg == WOM_DONE) { auto header = cast(WAVEHDR*) param1; // we want to bounce back and forth between two buffers // to keep the sound going all the time if(ao.playing) { ao.fillData((cast(short*) header.lpData)[0 .. header.dwBufferLength / short.sizeof]); } header.dwUser = 1; } } } // FIXME: add async function hooks ~this() { version(ALSA) { snd_pcm_close(handle); } else version(WinMM) { waveOutClose(handle); } else static assert(0); } } /// Gives MIDI output access. struct MidiOutput { version(ALSA) { snd_rawmidi_t* handle; } else version(WinMM) { HMIDIOUT handle; } @disable this(); @disable this(this); /// Always pass card == 0. this(int card) { assert(card == 0); version(ALSA) { if(auto err = snd_rawmidi_open(null, &handle, midiName, 0)) throw new AlsaException("rawmidi open", err); } else version(WinMM) { if(auto err = midiOutOpen(&handle, 0, 0, 0, CALLBACK_NULL)) throw new WinMMException("midi out open", err); } else static assert(0); } void silenceAllNotes() { foreach(a; 0 .. 16) writeMidiMessage((0x0b << 4)|a /*MIDI_EVENT_CONTROLLER*/, 123, 0); } /// Send a reset message, silencing all notes void reset() { version(ALSA) { static immutable ubyte[3] resetSequence = [0x0b << 4, 123, 0]; // send a controller event to reset it writeRawMessageData(resetSequence[]); // and flush it immediately snd_rawmidi_drain(handle); } else version(WinMM) { if(auto error = midiOutReset(handle)) throw new WinMMException("midi reset", error); } else static assert(0); } /// Writes a single low-level midi message /// Timing and sending sane data is your responsibility! void writeMidiMessage(int status, int param1, int param2) { version(ALSA) { ubyte[3] dataBuffer; dataBuffer[0] = cast(ubyte) status; dataBuffer[1] = cast(ubyte) param1; dataBuffer[2] = cast(ubyte) param2; auto msg = status >> 4; ubyte[] data; if(msg == MidiEvent.ProgramChange || msg == MidiEvent.ChannelAftertouch) data = dataBuffer[0 .. 2]; else data = dataBuffer[]; writeRawMessageData(data); } else version(WinMM) { DWORD word = (param2 << 16) | (param1 << 8) | status; if(auto error = midiOutShortMsg(handle, word)) throw new WinMMException("midi out", error); } else static assert(0); } /// Writes a series of individual raw messages. /// Timing and sending sane data is your responsibility! /// The data should NOT include any timestamp bytes - each midi message should be 2 or 3 bytes. void writeRawMessageData(scope const(ubyte)[] data) { version(ALSA) { ssize_t written; while(data.length) { written = snd_rawmidi_write(handle, data.ptr, data.length); if(written < 0) throw new AlsaException("midi write", cast(int) written); data = data[cast(int) written .. $]; } } else version(WinMM) { while(data.length) { auto msg = data[0] >> 4; if(msg == MidiEvent.ProgramChange || msg == MidiEvent.ChannelAftertouch) { writeMidiMessage(data[0], data[1], 0); data = data[2 .. $]; } else { writeMidiMessage(data[0], data[1], data[2]); data = data[3 .. $]; } } } else static assert(0); } ~this() { version(ALSA) { snd_rawmidi_close(handle); } else version(WinMM) { midiOutClose(handle); } else static assert(0); } } // FIXME: maybe add a PC speaker beep function for completeness /// Interfaces with the default sound card. You should only have a single instance of this and it should /// be stack allocated, so its destructor cleans up after it. /// /// A mixer gives access to things like volume controls and mute buttons. It should also give a /// callback feature to alert you of when the settings are changed by another program. version(ALSA) // FIXME struct AudioMixer { // To port to a new OS: put the data in the right version blocks // then implement each function. Leave else static assert(0) at the // end of each version group in a function so it is easier to implement elsewhere later. // // If a function is only relevant on your OS, put the whole function in a version block // and give it an OS specific name of some sort. // // Feel free to do that btw without worrying about lowest common denominator: we want low level access when we want it. // // Put necessary bindings at the end of the file, or use an import if you like, but I prefer these files to be standalone. version(ALSA) { snd_mixer_t* handle; snd_mixer_selem_id_t* sid; snd_mixer_elem_t* selem; c_long maxVolume, minVolume; // these are ok to use if you are writing ALSA specific code i guess enum selemName = "Master"; } @disable this(); @disable this(this); /// Only cardId == 0 is supported this(int cardId) { assert(cardId == 0, "Pass 0 to use default sound card."); version(ALSA) { if(auto err = snd_mixer_open(&handle, 0)) throw new AlsaException("open sound", err); scope(failure) snd_mixer_close(handle); if(auto err = snd_mixer_attach(handle, cardName)) throw new AlsaException("attach to sound card", err); if(auto err = snd_mixer_selem_register(handle, null, null)) throw new AlsaException("register mixer", err); if(auto err = snd_mixer_load(handle)) throw new AlsaException("load mixer", err); if(auto err = snd_mixer_selem_id_malloc(&sid)) throw new AlsaException("master channel open", err); scope(failure) snd_mixer_selem_id_free(sid); snd_mixer_selem_id_set_index(sid, 0); snd_mixer_selem_id_set_name(sid, selemName); selem = snd_mixer_find_selem(handle, sid); if(selem is null) throw new AlsaException("find master element", 0); if(auto err = snd_mixer_selem_get_playback_volume_range(selem, &minVolume, &maxVolume)) throw new AlsaException("get volume range", err); version(with_eventloop) { import arsd.eventloop; addFileEventListeners(getAlsaFileDescriptors()[0], &eventListener, null, null); setAlsaElemCallback(&alsaCallback); } } else static assert(0); } ~this() { version(ALSA) { version(with_eventloop) { import arsd.eventloop; removeFileEventListeners(getAlsaFileDescriptors()[0]); } snd_mixer_selem_id_free(sid); snd_mixer_close(handle); } else static assert(0); } version(ALSA) version(with_eventloop) { static struct MixerEvent {} nothrow @nogc extern(C) static int alsaCallback(snd_mixer_elem_t*, uint) { import arsd.eventloop; try send(MixerEvent()); catch(Exception) return 1; return 0; } void eventListener(int fd) { handleAlsaEvents(); } } /// Gets the master channel's mute state /// Note: this affects shared system state and you should not use it unless the end user wants you to. @property bool muteMaster() { version(ALSA) { int result; if(auto err = snd_mixer_selem_get_playback_switch(selem, 0, &result)) throw new AlsaException("get mute state", err); return result == 0; } else static assert(0); } /// Mutes or unmutes the master channel /// Note: this affects shared system state and you should not use it unless the end user wants you to. @property void muteMaster(bool mute) { version(ALSA) { if(auto err = snd_mixer_selem_set_playback_switch_all(selem, mute ? 0 : 1)) throw new AlsaException("set mute state", err); } else static assert(0); } /// returns a percentage, between 0 and 100 (inclusive) int getMasterVolume() { version(ALSA) { auto volume = getMasterVolumeExact(); return cast(int)(volume * 100 / (maxVolume - minVolume)); } else static assert(0); } /// Gets the exact value returned from the operating system. The range may vary. int getMasterVolumeExact() { version(ALSA) { c_long volume; snd_mixer_selem_get_playback_volume(selem, 0, &volume); return cast(int)volume; } else static assert(0); } /// sets a percentage on the volume, so it must be 0 <= volume <= 100 /// Note: this affects shared system state and you should not use it unless the end user wants you to. void setMasterVolume(int volume) { version(ALSA) { assert(volume >= 0 && volume <= 100); setMasterVolumeExact(cast(int)(volume * (maxVolume - minVolume) / 100)); } else static assert(0); } /// Sets an exact volume. Must be in range of the OS provided min and max. void setMasterVolumeExact(int volume) { version(ALSA) { if(auto err = snd_mixer_selem_set_playback_volume_all(selem, volume)) throw new AlsaException("set volume", err); } else static assert(0); } version(ALSA) { /// Gets the ALSA descriptors which you can watch for events /// on using regular select, poll, epoll, etc. int[] getAlsaFileDescriptors() { import core.sys.posix.poll; pollfd[32] descriptors = void; int got = snd_mixer_poll_descriptors(handle, descriptors.ptr, descriptors.length); int[] result; result.length = got; foreach(i, desc; descriptors[0 .. got]) result[i] = desc.fd; return result; } /// When the FD is ready, call this to let ALSA do its thing. void handleAlsaEvents() { snd_mixer_handle_events(handle); } /// Set a callback for the master volume change events. void setAlsaElemCallback(snd_mixer_elem_callback_t dg) { snd_mixer_elem_set_callback(selem, dg); } } } // **************** // Midi helpers // **************** // FIXME: code the .mid file format, read and write enum MidiEvent { NoteOff = 0x08, NoteOn = 0x09, NoteAftertouch = 0x0a, Controller = 0x0b, ProgramChange = 0x0c, // one param ChannelAftertouch = 0x0d, // one param PitchBend = 0x0e, } enum MidiNote : ubyte { middleC = 60, A = 69, // 440 Hz As = 70, B = 71, C = 72, Cs = 73, D = 74, Ds = 75, E = 76, F = 77, Fs = 78, G = 79, Gs = 80, } /// Puts a note on at the beginning of the passed slice, advancing it by the amount of the message size. /// Returns the message slice. /// /// See: http://www.midi.org/techspecs/midimessages.php ubyte[] midiNoteOn(ref ubyte[] where, ubyte channel, byte note, byte velocity) { where[0] = (MidiEvent.NoteOn << 4) | (channel&0x0f); where[1] = note; where[2] = velocity; auto it = where[0 .. 3]; where = where[3 .. $]; return it; } /// Note off. ubyte[] midiNoteOff(ref ubyte[] where, ubyte channel, byte note, byte velocity) { where[0] = (MidiEvent.NoteOff << 4) | (channel&0x0f); where[1] = note; where[2] = velocity; auto it = where[0 .. 3]; where = where[3 .. $]; return it; } /// Aftertouch. ubyte[] midiNoteAftertouch(ref ubyte[] where, ubyte channel, byte note, byte pressure) { where[0] = (MidiEvent.NoteAftertouch << 4) | (channel&0x0f); where[1] = note; where[2] = pressure; auto it = where[0 .. 3]; where = where[3 .. $]; return it; } /// Controller. ubyte[] midiNoteController(ref ubyte[] where, ubyte channel, byte controllerNumber, byte controllerValue) { where[0] = (MidiEvent.Controller << 4) | (channel&0x0f); where[1] = controllerNumber; where[2] = controllerValue; auto it = where[0 .. 3]; where = where[3 .. $]; return it; } /// Program change. ubyte[] midiProgramChange(ref ubyte[] where, ubyte channel, byte program) { where[0] = (MidiEvent.ProgramChange << 4) | (channel&0x0f); where[1] = program; auto it = where[0 .. 2]; where = where[2 .. $]; return it; } /// Channel aftertouch. ubyte[] midiChannelAftertouch(ref ubyte[] where, ubyte channel, byte amount) { where[0] = (MidiEvent.ProgramChange << 4) | (channel&0x0f); where[1] = amount; auto it = where[0 .. 2]; where = where[2 .. $]; return it; } /// Pitch bend. FIXME doesn't work right ubyte[] midiNotePitchBend(ref ubyte[] where, ubyte channel, short change) { /* first byte is llllll second byte is mmmmmm Pitch Bend Change. 0mmmmmmm This message is sent to indicate a change in the pitch bender (wheel or lever, typically). The pitch bender is measured by a fourteen bit value. Center (no pitch change) is 2000H. Sensitivity is a function of the transmitter. (llllll) are the least significant 7 bits. (mmmmmm) are the most significant 7 bits. */ where[0] = (MidiEvent.PitchBend << 4) | (channel&0x0f); // FIXME where[1] = 0; where[2] = 0; auto it = where[0 .. 3]; where = where[3 .. $]; return it; } // **************** // Wav helpers // **************** // FIXME: the .wav file format should be here, read and write (at least basics) // as well as some kind helpers to generate some sounds. // **************** // OS specific helper stuff follows // **************** version(ALSA) // Opens the PCM device with default settings: stereo, 16 bit, 44.1 kHz, interleaved R/W. snd_pcm_t* openAlsaPcm(snd_pcm_stream_t direction) { snd_pcm_t* handle; snd_pcm_hw_params_t* hwParams; /* Open PCM and initialize hardware */ if (auto err = snd_pcm_open(&handle, cardName, direction, 0)) throw new AlsaException("open device", err); scope(failure) snd_pcm_close(handle); if (auto err = snd_pcm_hw_params_malloc(&hwParams)) throw new AlsaException("params malloc", err); scope(exit) snd_pcm_hw_params_free(hwParams); if (auto err = snd_pcm_hw_params_any(handle, hwParams)) throw new AlsaException("params init", err); if (auto err = snd_pcm_hw_params_set_access(handle, hwParams, snd_pcm_access_t.SND_PCM_ACCESS_RW_INTERLEAVED)) throw new AlsaException("params access", err); if (auto err = snd_pcm_hw_params_set_format(handle, hwParams, snd_pcm_format.SND_PCM_FORMAT_S16_LE)) throw new AlsaException("params format", err); uint rate = SampleRate; int dir = 0; if (auto err = snd_pcm_hw_params_set_rate_near(handle, hwParams, &rate, &dir)) throw new AlsaException("params rate", err); assert(rate == SampleRate); // cheap me if (auto err = snd_pcm_hw_params_set_channels(handle, hwParams, 2)) throw new AlsaException("params channels", err); ///+ if(snd_pcm_hw_params_set_periods(handle, hwParams, 2, 0) < 0) throw new AlsaException("periods", -1 /* FIXME */); snd_pcm_uframes_t sz = (BUFFER_SIZE_FRAMES * 2 /* periods*/); if(snd_pcm_hw_params_set_buffer_size_near(handle, hwParams, &sz) < 0) throw new AlsaException("buffer size", -1 /* FIXME */); if (auto err = snd_pcm_hw_params(handle, hwParams)) throw new AlsaException("params install", err); /* Setting up the callbacks */ snd_pcm_sw_params_t* swparams; if(auto err = snd_pcm_sw_params_malloc(&swparams)) throw new AlsaException("sw malloc", err); scope(exit) snd_pcm_sw_params_free(swparams); if(auto err = snd_pcm_sw_params_current(handle, swparams)) throw new AlsaException("sw set", err); if(auto err = snd_pcm_sw_params_set_avail_min(handle, swparams, BUFFER_SIZE_FRAMES)) throw new AlsaException("sw min", err); if(auto err = snd_pcm_sw_params_set_start_threshold(handle, swparams, 0)) throw new AlsaException("sw threshold", err); if(auto err = snd_pcm_sw_params(handle, swparams)) throw new AlsaException("sw params", err); /* finish setup */ if (auto err = snd_pcm_prepare(handle)) throw new AlsaException("prepare", err); assert(handle !is null); return handle; } version(ALSA) class AlsaException : AudioException { this(string message, int error, string file = __FILE__, size_t line = __LINE__, Throwable next = null) { auto msg = snd_strerror(error); import core.stdc.string; super(cast(string) (message ~ ": " ~ msg[0 .. strlen(msg)]), file, line, next); } } version(WinMM) class WinMMException : AudioException { this(string message, int error, string file = __FILE__, size_t line = __LINE__, Throwable next = null) { // FIXME: format the error // midiOutGetErrorText, etc. super(message, file, line, next); } } // **************** // Bindings follow // **************** version(ALSA) { extern(C): @nogc nothrow: pragma(lib, "asound"); private import core.sys.posix.poll; const(char)* snd_strerror(int); // pcm enum snd_pcm_stream_t { SND_PCM_STREAM_PLAYBACK, SND_PCM_STREAM_CAPTURE } enum snd_pcm_access_t { /** mmap access with simple interleaved channels */ SND_PCM_ACCESS_MMAP_INTERLEAVED = 0, /** mmap access with simple non interleaved channels */ SND_PCM_ACCESS_MMAP_NONINTERLEAVED, /** mmap access with complex placement */ SND_PCM_ACCESS_MMAP_COMPLEX, /** snd_pcm_readi/snd_pcm_writei access */ SND_PCM_ACCESS_RW_INTERLEAVED, /** snd_pcm_readn/snd_pcm_writen access */ SND_PCM_ACCESS_RW_NONINTERLEAVED, SND_PCM_ACCESS_LAST = SND_PCM_ACCESS_RW_NONINTERLEAVED } enum snd_pcm_format { /** Unknown */ SND_PCM_FORMAT_UNKNOWN = -1, /** Signed 8 bit */ SND_PCM_FORMAT_S8 = 0, /** Unsigned 8 bit */ SND_PCM_FORMAT_U8, /** Signed 16 bit Little Endian */ SND_PCM_FORMAT_S16_LE, /** Signed 16 bit Big Endian */ SND_PCM_FORMAT_S16_BE, /** Unsigned 16 bit Little Endian */ SND_PCM_FORMAT_U16_LE, /** Unsigned 16 bit Big Endian */ SND_PCM_FORMAT_U16_BE, /** Signed 24 bit Little Endian using low three bytes in 32-bit word */ SND_PCM_FORMAT_S24_LE, /** Signed 24 bit Big Endian using low three bytes in 32-bit word */ SND_PCM_FORMAT_S24_BE, /** Unsigned 24 bit Little Endian using low three bytes in 32-bit word */ SND_PCM_FORMAT_U24_LE, /** Unsigned 24 bit Big Endian using low three bytes in 32-bit word */ SND_PCM_FORMAT_U24_BE, /** Signed 32 bit Little Endian */ SND_PCM_FORMAT_S32_LE, /** Signed 32 bit Big Endian */ SND_PCM_FORMAT_S32_BE, /** Unsigned 32 bit Little Endian */ SND_PCM_FORMAT_U32_LE, /** Unsigned 32 bit Big Endian */ SND_PCM_FORMAT_U32_BE, /** Float 32 bit Little Endian, Range -1.0 to 1.0 */ SND_PCM_FORMAT_FLOAT_LE, /** Float 32 bit Big Endian, Range -1.0 to 1.0 */ SND_PCM_FORMAT_FLOAT_BE, /** Float 64 bit Little Endian, Range -1.0 to 1.0 */ SND_PCM_FORMAT_FLOAT64_LE, /** Float 64 bit Big Endian, Range -1.0 to 1.0 */ SND_PCM_FORMAT_FLOAT64_BE, /** IEC-958 Little Endian */ SND_PCM_FORMAT_IEC958_SUBFRAME_LE, /** IEC-958 Big Endian */ SND_PCM_FORMAT_IEC958_SUBFRAME_BE, /** Mu-Law */ SND_PCM_FORMAT_MU_LAW, /** A-Law */ SND_PCM_FORMAT_A_LAW, /** Ima-ADPCM */ SND_PCM_FORMAT_IMA_ADPCM, /** MPEG */ SND_PCM_FORMAT_MPEG, /** GSM */ SND_PCM_FORMAT_GSM, /** Special */ SND_PCM_FORMAT_SPECIAL = 31, /** Signed 24bit Little Endian in 3bytes format */ SND_PCM_FORMAT_S24_3LE = 32, /** Signed 24bit Big Endian in 3bytes format */ SND_PCM_FORMAT_S24_3BE, /** Unsigned 24bit Little Endian in 3bytes format */ SND_PCM_FORMAT_U24_3LE, /** Unsigned 24bit Big Endian in 3bytes format */ SND_PCM_FORMAT_U24_3BE, /** Signed 20bit Little Endian in 3bytes format */ SND_PCM_FORMAT_S20_3LE, /** Signed 20bit Big Endian in 3bytes format */ SND_PCM_FORMAT_S20_3BE, /** Unsigned 20bit Little Endian in 3bytes format */ SND_PCM_FORMAT_U20_3LE, /** Unsigned 20bit Big Endian in 3bytes format */ SND_PCM_FORMAT_U20_3BE, /** Signed 18bit Little Endian in 3bytes format */ SND_PCM_FORMAT_S18_3LE, /** Signed 18bit Big Endian in 3bytes format */ SND_PCM_FORMAT_S18_3BE, /** Unsigned 18bit Little Endian in 3bytes format */ SND_PCM_FORMAT_U18_3LE, /** Unsigned 18bit Big Endian in 3bytes format */ SND_PCM_FORMAT_U18_3BE, /* G.723 (ADPCM) 24 kbit/s, 8 samples in 3 bytes */ SND_PCM_FORMAT_G723_24, /* G.723 (ADPCM) 24 kbit/s, 1 sample in 1 byte */ SND_PCM_FORMAT_G723_24_1B, /* G.723 (ADPCM) 40 kbit/s, 8 samples in 3 bytes */ SND_PCM_FORMAT_G723_40, /* G.723 (ADPCM) 40 kbit/s, 1 sample in 1 byte */ SND_PCM_FORMAT_G723_40_1B, /* Direct Stream Digital (DSD) in 1-byte samples (x8) */ SND_PCM_FORMAT_DSD_U8, /* Direct Stream Digital (DSD) in 2-byte samples (x16) */ SND_PCM_FORMAT_DSD_U16_LE, SND_PCM_FORMAT_LAST = SND_PCM_FORMAT_DSD_U16_LE, // I snipped a bunch of endian-specific ones! } struct snd_pcm_t {} struct snd_pcm_hw_params_t {} struct snd_pcm_sw_params_t {} int snd_pcm_open(snd_pcm_t**, const char*, snd_pcm_stream_t, int); int snd_pcm_close(snd_pcm_t*); int snd_pcm_prepare(snd_pcm_t*); int snd_pcm_hw_params(snd_pcm_t*, snd_pcm_hw_params_t*); int snd_pcm_hw_params_set_periods(snd_pcm_t*, snd_pcm_hw_params_t*, uint, int); int snd_pcm_hw_params_set_buffer_size(snd_pcm_t*, snd_pcm_hw_params_t*, snd_pcm_uframes_t); int snd_pcm_hw_params_set_buffer_size_near(snd_pcm_t*, snd_pcm_hw_params_t*, snd_pcm_uframes_t*); int snd_pcm_hw_params_set_channels(snd_pcm_t*, snd_pcm_hw_params_t*, uint); int snd_pcm_hw_params_malloc(snd_pcm_hw_params_t**); void snd_pcm_hw_params_free(snd_pcm_hw_params_t*); int snd_pcm_hw_params_any(snd_pcm_t*, snd_pcm_hw_params_t*); int snd_pcm_hw_params_set_access(snd_pcm_t*, snd_pcm_hw_params_t*, snd_pcm_access_t); int snd_pcm_hw_params_set_format(snd_pcm_t*, snd_pcm_hw_params_t*, snd_pcm_format); int snd_pcm_hw_params_set_rate_near(snd_pcm_t*, snd_pcm_hw_params_t*, uint*, int*); int snd_pcm_sw_params_malloc(snd_pcm_sw_params_t**); void snd_pcm_sw_params_free(snd_pcm_sw_params_t*); int snd_pcm_sw_params_current(snd_pcm_t *pcm, snd_pcm_sw_params_t *params); int snd_pcm_sw_params(snd_pcm_t *pcm, snd_pcm_sw_params_t *params); int snd_pcm_sw_params_set_avail_min(snd_pcm_t*, snd_pcm_sw_params_t*, snd_pcm_uframes_t); int snd_pcm_sw_params_set_start_threshold(snd_pcm_t*, snd_pcm_sw_params_t*, snd_pcm_uframes_t); int snd_pcm_sw_params_set_stop_threshold(snd_pcm_t*, snd_pcm_sw_params_t*, snd_pcm_uframes_t); alias snd_pcm_sframes_t = c_long; alias snd_pcm_uframes_t = c_ulong; snd_pcm_sframes_t snd_pcm_writei(snd_pcm_t*, const void*, snd_pcm_uframes_t size); snd_pcm_sframes_t snd_pcm_readi(snd_pcm_t*, void*, snd_pcm_uframes_t size); int snd_pcm_wait(snd_pcm_t *pcm, int timeout); snd_pcm_sframes_t snd_pcm_avail(snd_pcm_t *pcm); snd_pcm_sframes_t snd_pcm_avail_update(snd_pcm_t *pcm); int snd_pcm_recover (snd_pcm_t* pcm, int err, int silent); alias snd_lib_error_handler_t = void function (const(char)* file, int line, const(char)* function_, int err, const(char)* fmt, ...); int snd_lib_error_set_handler (snd_lib_error_handler_t handler); private void alsa_message_silencer (const(char)* file, int line, const(char)* function_, int err, const(char)* fmt, ...) {} //k8: ALSAlib loves to trash stderr; shut it up void silence_alsa_messages () { snd_lib_error_set_handler(&alsa_message_silencer); } shared static this () { silence_alsa_messages(); } // raw midi static if(is(ssize_t == uint)) alias ssize_t = int; else alias ssize_t = long; struct snd_rawmidi_t {} int snd_rawmidi_open(snd_rawmidi_t**, snd_rawmidi_t**, const char*, int); int snd_rawmidi_close(snd_rawmidi_t*); int snd_rawmidi_drain(snd_rawmidi_t*); ssize_t snd_rawmidi_write(snd_rawmidi_t*, const void*, size_t); ssize_t snd_rawmidi_read(snd_rawmidi_t*, void*, size_t); // mixer struct snd_mixer_t {} struct snd_mixer_elem_t {} struct snd_mixer_selem_id_t {} alias snd_mixer_elem_callback_t = int function(snd_mixer_elem_t*, uint); int snd_mixer_open(snd_mixer_t**, int mode); int snd_mixer_close(snd_mixer_t*); int snd_mixer_attach(snd_mixer_t*, const char*); int snd_mixer_load(snd_mixer_t*); // FIXME: those aren't actually void* int snd_mixer_selem_register(snd_mixer_t*, void*, void*); int snd_mixer_selem_id_malloc(snd_mixer_selem_id_t**); void snd_mixer_selem_id_free(snd_mixer_selem_id_t*); void snd_mixer_selem_id_set_index(snd_mixer_selem_id_t*, uint); void snd_mixer_selem_id_set_name(snd_mixer_selem_id_t*, const char*); snd_mixer_elem_t* snd_mixer_find_selem(snd_mixer_t*, in snd_mixer_selem_id_t*); // FIXME: the int should be an enum for channel identifier int snd_mixer_selem_get_playback_volume(snd_mixer_elem_t*, int, c_long*); int snd_mixer_selem_get_playback_volume_range(snd_mixer_elem_t*, c_long*, c_long*); int snd_mixer_selem_set_playback_volume_all(snd_mixer_elem_t*, c_long); void snd_mixer_elem_set_callback(snd_mixer_elem_t*, snd_mixer_elem_callback_t); int snd_mixer_poll_descriptors(snd_mixer_t*, pollfd*, uint space); int snd_mixer_handle_events(snd_mixer_t*); // FIXME: the first int should be an enum for channel identifier int snd_mixer_selem_get_playback_switch(snd_mixer_elem_t*, int, int* value); int snd_mixer_selem_set_playback_switch_all(snd_mixer_elem_t*, int); } version(WinMM) { extern(Windows): @nogc nothrow: pragma(lib, "winmm"); import core.sys.windows.windows; /* Windows functions include: http://msdn.microsoft.com/en-us/library/ms713762%28VS.85%29.aspx http://msdn.microsoft.com/en-us/library/ms713504%28v=vs.85%29.aspx http://msdn.microsoft.com/en-us/library/windows/desktop/dd798480%28v=vs.85%29.aspx# http://msdn.microsoft.com/en-US/subscriptions/ms712109.aspx */ // pcm // midi alias HMIDIOUT = HANDLE; alias MMRESULT = UINT; MMRESULT midiOutOpen(HMIDIOUT*, UINT, DWORD, DWORD, DWORD); MMRESULT midiOutClose(HMIDIOUT); MMRESULT midiOutReset(HMIDIOUT); MMRESULT midiOutShortMsg(HMIDIOUT, DWORD); alias HWAVEOUT = HANDLE; struct WAVEFORMATEX { WORD wFormatTag; WORD nChannels; DWORD nSamplesPerSec; DWORD nAvgBytesPerSec; WORD nBlockAlign; WORD wBitsPerSample; WORD cbSize; } struct WAVEHDR { void* lpData; DWORD dwBufferLength; DWORD dwBytesRecorded; DWORD dwUser; DWORD dwFlags; DWORD dwLoops; WAVEHDR *lpNext; DWORD reserved; } enum UINT WAVE_MAPPER= -1; MMRESULT waveOutOpen(HWAVEOUT*, UINT_PTR, WAVEFORMATEX*, void* callback, void*, DWORD); MMRESULT waveOutClose(HWAVEOUT); MMRESULT waveOutPrepareHeader(HWAVEOUT, WAVEHDR*, UINT); MMRESULT waveOutUnprepareHeader(HWAVEOUT, WAVEHDR*, UINT); MMRESULT waveOutWrite(HWAVEOUT, WAVEHDR*, UINT); MMRESULT waveOutGetVolume(HWAVEOUT, PDWORD); MMRESULT waveOutSetVolume(HWAVEOUT, DWORD); enum CALLBACK_TYPEMASK = 0x70000; enum CALLBACK_NULL = 0; enum CALLBACK_WINDOW = 0x10000; enum CALLBACK_TASK = 0x20000; enum CALLBACK_FUNCTION = 0x30000; enum CALLBACK_THREAD = CALLBACK_TASK; enum CALLBACK_EVENT = 0x50000; enum WAVE_FORMAT_PCM = 1; enum WHDR_PREPARED = 2; enum WHDR_BEGINLOOP = 4; enum WHDR_ENDLOOP = 8; enum WHDR_INQUEUE = 16; enum WinMMMessage : UINT { MM_JOY1MOVE = 0x3A0, MM_JOY2MOVE, MM_JOY1ZMOVE, MM_JOY2ZMOVE, // = 0x3A3 MM_JOY1BUTTONDOWN = 0x3B5, MM_JOY2BUTTONDOWN, MM_JOY1BUTTONUP, MM_JOY2BUTTONUP, MM_MCINOTIFY, // = 0x3B9 MM_WOM_OPEN = 0x3BB, MM_WOM_CLOSE, MM_WOM_DONE, MM_WIM_OPEN, MM_WIM_CLOSE, MM_WIM_DATA, MM_MIM_OPEN, MM_MIM_CLOSE, MM_MIM_DATA, MM_MIM_LONGDATA, MM_MIM_ERROR, MM_MIM_LONGERROR, MM_MOM_OPEN, MM_MOM_CLOSE, MM_MOM_DONE, // = 0x3C9 MM_DRVM_OPEN = 0x3D0, MM_DRVM_CLOSE, MM_DRVM_DATA, MM_DRVM_ERROR, MM_STREAM_OPEN, MM_STREAM_CLOSE, MM_STREAM_DONE, MM_STREAM_ERROR, // = 0x3D7 MM_MOM_POSITIONCB = 0x3CA, MM_MCISIGNAL, MM_MIM_MOREDATA, // = 0x3CC MM_MIXM_LINE_CHANGE = 0x3D0, MM_MIXM_CONTROL_CHANGE = 0x3D1 } enum WOM_OPEN = WinMMMessage.MM_WOM_OPEN; enum WOM_CLOSE = WinMMMessage.MM_WOM_CLOSE; enum WOM_DONE = WinMMMessage.MM_WOM_DONE; enum WIM_OPEN = WinMMMessage.MM_WIM_OPEN; enum WIM_CLOSE = WinMMMessage.MM_WIM_CLOSE; enum WIM_DATA = WinMMMessage.MM_WIM_DATA; uint mciSendStringA(in char*,char*,uint,void*); }
D
// Written in the D programming language. /** Defines generic _containers. Source: $(PHOBOSSRC std/_container.d) Macros: WIKI = Phobos/StdContainer TEXTWITHCOMMAS = $0 LEADINGROW = <tr style=leadingrow bgcolor=#E4E9EF><td colspan=3><b><em>$0</em></b></td></tr> Copyright: Red-black tree code copyright (C) 2008- by Steven Schveighoffer. Other code copyright 2010- Andrei Alexandrescu. All rights reserved by the respective holders. License: Distributed under the Boost Software License, Version 1.0. (See accompanying file LICENSE_1_0.txt or copy at $(WEB boost.org/LICENSE_1_0.txt)). Authors: Steven Schveighoffer, $(WEB erdani.com, Andrei Alexandrescu) $(BOOKTABLE $(TEXTWITHCOMMAS Container primitives. Below, $(D C) means a _container type, $(D c) is a value of _container type, $(D n$(SUB x)) represents the effective length of value $(D x), which could be a single element (in which case $(D n$(SUB x)) is $(D 1)), a _container, or a range.), $(TR $(TH Syntax) $(TH $(BIGOH &middot;)) $(TH Description)) $(TR $(TDNW $(D C(x))) $(TDNW $(D n$(SUB x))) $(TD Creates a _container of type $(D C) from either another _container or a range.)) $(TR $(TDNW $(D c.dup)) $(TDNW $(D n$(SUB c))) $(TD Returns a duplicate of the _container.)) $(TR $(TDNW $(D c ~ x)) $(TDNW $(D n$(SUB c) + n$(SUB x))) $(TD Returns the concatenation of $(D c) and $(D r). $(D x) may be a single element or an input range.)) $(TR $(TDNW $(D x ~ c)) $(TDNW $(D n$(SUB c) + n$(SUB x))) $(TD Returns the concatenation of $(D x) and $(D c). $(D x) may be a single element or an input range type.)) $(LEADINGROW Iteration) $(TR $(TD $(D c.Range)) $(TD) $(TD The primary range type associated with the _container.)) $(TR $(TD $(D c[])) $(TDNW $(D log n$(SUB c))) $(TD Returns a range iterating over the entire _container, in a _container-defined order.)) $(TR $(TDNW $(D c[a, b])) $(TDNW $(D log n$(SUB c))) $(TD Fetches a portion of the _container from key $(D a) to key $(D b).)) $(LEADINGROW Capacity) $(TR $(TD $(D c.empty)) $(TD $(D 1)) $(TD Returns $(D true) if the _container has no elements, $(D false) otherwise.)) $(TR $(TD $(D c.length)) $(TDNW $(D log n$(SUB c))) $(TD Returns the number of elements in the _container.)) $(TR $(TDNW $(D c.length = n)) $(TDNW $(D n$(SUB c) + n)) $(TD Forces the number of elements in the _container to $(D n). If the _container ends up growing, the added elements are initialized in a _container-dependent manner (usually with $(D T.init)).)) $(TR $(TD $(D c.capacity)) $(TDNW $(D log n$(SUB c))) $(TD Returns the maximum number of elements that can be stored in the _container without triggering a reallocation.)) $(TR $(TD $(D c.reserve(x))) $(TD $(D n$(SUB c))) $(TD Forces $(D capacity) to at least $(D x) without reducing it.)) $(LEADINGROW Access) $(TR $(TDNW $(D c.front)) $(TDNW $(D log n$(SUB c))) $(TD Returns the first element of the _container, in a _container-defined order.)) $(TR $(TDNW $(D c.moveFront)) $(TDNW $(D log n$(SUB c))) $(TD Destructively reads and returns the first element of the _container. The slot is not removed from the _container; it is left initalized with $(D T.init). This routine need not be defined if $(D front) returns a $(D ref).)) $(TR $(TDNW $(D c.front = v)) $(TDNW $(D log n$(SUB c))) $(TD Assigns $(D v) to the first element of the _container.)) $(TR $(TDNW $(D c.back)) $(TDNW $(D log n$(SUB c))) $(TD Returns the last element of the _container, in a _container-defined order.)) $(TR $(TDNW $(D c.moveBack)) $(TDNW $(D log n$(SUB c))) $(TD Destructively reads and returns the first element of the container. The slot is not removed from the _container; it is left initalized with $(D T.init). This routine need not be defined if $(D front) returns a $(D ref).)) $(TR $(TDNW $(D c.back = v)) $(TDNW $(D log n$(SUB c))) $(TD Assigns $(D v) to the last element of the _container.)) $(TR $(TDNW $(D c[x])) $(TDNW $(D log n$(SUB c))) $(TD Provides indexed access into the _container. The index type is _container-defined. A container may define several index types (and consequently overloaded indexing).)) $(TR $(TDNW $(D c.moveAt(x))) $(TDNW $(D log n$(SUB c))) $(TD Destructively reads and returns the value at position $(D x). The slot is not removed from the _container; it is left initialized with $(D T.init).)) $(TR $(TDNW $(D c[x] = v)) $(TDNW $(D log n$(SUB c))) $(TD Sets element at specified index into the _container.)) $(TR $(TDNW $(D c[x] $(I op)= v)) $(TDNW $(D log n$(SUB c))) $(TD Performs read-modify-write operation at specified index into the _container.)) $(LEADINGROW Operations) $(TR $(TDNW $(D e in c)) $(TDNW $(D log n$(SUB c))) $(TD Returns nonzero if e is found in $(D c).)) $(TR $(TDNW $(D c.lowerBound(v))) $(TDNW $(D log n$(SUB c))) $(TD Returns a range of all elements strictly less than $(D v).)) $(TR $(TDNW $(D c.upperBound(v))) $(TDNW $(D log n$(SUB c))) $(TD Returns a range of all elements strictly greater than $(D v).)) $(TR $(TDNW $(D c.equalRange(v))) $(TDNW $(D log n$(SUB c))) $(TD Returns a range of all elements in $(D c) that are equal to $(D v).)) $(LEADINGROW Modifiers) $(TR $(TDNW $(D c ~= x)) $(TDNW $(D n$(SUB c) + n$(SUB x))) $(TD Appends $(D x) to $(D c). $(D x) may be a single element or an input range type.)) $(TR $(TDNW $(D c.clear())) $(TDNW $(D n$(SUB c))) $(TD Removes all elements in $(D c).)) $(TR $(TDNW $(D c.insert(x))) $(TDNW $(D n$(SUB x) * log n$(SUB c))) $(TD Inserts $(D x) in $(D c) at a position (or positions) chosen by $(D c).)) $(TR $(TDNW $(D c.stableInsert(x))) $(TDNW $(D n$(SUB x) * log n$(SUB c))) $(TD Same as $(D c.insert(x)), but is guaranteed to not invalidate any ranges.)) $(TR $(TDNW $(D c.linearInsert(v))) $(TDNW $(D n$(SUB c))) $(TD Same as $(D c.insert(v)) but relaxes complexity to linear.)) $(TR $(TDNW $(D c.stableLinearInsert(v))) $(TDNW $(D n$(SUB c))) $(TD Same as $(D c.stableInsert(v)) but relaxes complexity to linear.)) $(TR $(TDNW $(D c.removeAny())) $(TDNW $(D log n$(SUB c))) $(TD Removes some element from $(D c) and returns it.)) $(TR $(TDNW $(D c.stableRemoveAny(v))) $(TDNW $(D log n$(SUB c))) $(TD Same as $(D c.removeAny(v)), but is guaranteed to not invalidate any iterators.)) $(TR $(TDNW $(D c.insertFront(v))) $(TDNW $(D log n$(SUB c))) $(TD Inserts $(D v) at the front of $(D c).)) $(TR $(TDNW $(D c.stableInsertFront(v))) $(TDNW $(D log n$(SUB c))) $(TD Same as $(D c.insertFront(v)), but guarantees no ranges will be invalidated.)) $(TR $(TDNW $(D c.insertBack(v))) $(TDNW $(D log n$(SUB c))) $(TD Inserts $(D v) at the back of $(D c).)) $(TR $(TDNW $(D c.stableInsertBack(v))) $(TDNW $(D log n$(SUB c))) $(TD Same as $(D c.insertBack(v)), but guarantees no ranges will be invalidated.)) $(TR $(TDNW $(D c.removeFront())) $(TDNW $(D log n$(SUB c))) $(TD Removes the element at the front of $(D c).)) $(TR $(TDNW $(D c.stableRemoveFront())) $(TDNW $(D log n$(SUB c))) $(TD Same as $(D c.removeFront()), but guarantees no ranges will be invalidated.)) $(TR $(TDNW $(D c.removeBack())) $(TDNW $(D log n$(SUB c))) $(TD Removes the value at the back of $(D c).)) $(TR $(TDNW $(D c.stableRemoveBack())) $(TDNW $(D log n$(SUB c))) $(TD Same as $(D c.removeBack()), but guarantees no ranges will be invalidated.)) $(TR $(TDNW $(D c.remove(r))) $(TDNW $(D n$(SUB r) * log n$(SUB c))) $(TD Removes range $(D r) from $(D c).)) $(TR $(TDNW $(D c.stableRemove(r))) $(TDNW $(D n$(SUB r) * log n$(SUB c))) $(TD Same as $(D c.remove(r)), but guarantees iterators are not invalidated.)) $(TR $(TDNW $(D c.linearRemove(r))) $(TDNW $(D n$(SUB c))) $(TD Removes range $(D r) from $(D c).)) $(TR $(TDNW $(D c.stableLinearRemove(r))) $(TDNW $(D n$(SUB c))) $(TD Same as $(D c.linearRemove(r)), but guarantees iterators are not invalidated.)) $(TR $(TDNW $(D c.removeKey(k))) $(TDNW $(D log n$(SUB c))) $(TD Removes an element from $(D c) by using its key $(D k). The key's type is defined by the _container.)) $(TR $(TDNW $(D )) $(TDNW $(D )) $(TD )) ) */ module std.container; import core.memory, core.stdc.stdlib, core.stdc.string, std.algorithm, std.conv, std.exception, std.functional, std.range, std.traits, std.typecons, std.typetuple; version(unittest) import std.stdio; version(unittest) version = RBDoChecks; //version = RBDoChecks; version(RBDoChecks) { import std.stdio; } /* The following documentation and type $(D TotalContainer) are intended for developers only. $(D TotalContainer) is an unimplemented container that illustrates a host of primitives that a container may define. It is to some extent the bottom of the conceptual container hierarchy. A given container most often will choose to only implement a subset of these primitives, and define its own additional ones. Adhering to the standard primitive names below allows generic code to work independently of containers. Things to remember: any container must be a reference type, whether implemented as a $(D class) or $(D struct). No primitive below requires the container to escape addresses of elements, which means that compliant containers can be defined to use reference counting or other deterministic memory management techniques. A container may choose to define additional specific operations. The only requirement is that those operations bear different names than the ones below, lest user code gets confused. Complexity of operations should be interpreted as "at least as good as". If an operation is required to have $(BIGOH n) complexity, it could have anything lower than that, e.g. $(BIGOH log(n)). Unless specified otherwise, $(D n) inside a $(BIGOH) expression stands for the number of elements in the container. */ struct TotalContainer(T) { /** If the container has a notion of key-value mapping, $(D KeyType) defines the type of the key of the container. */ alias T KeyType; /** If the container has a notion of multikey-value mapping, $(D KeyTypes[k]), where $(D k) is a zero-based unsigned number, defines the type of the $(D k)th key of the container. A container may define both $(D KeyType) and $(D KeyTypes), e.g. in the case it has the notion of primary/preferred key. */ alias TypeTuple!(T) KeyTypes; /** If the container has a notion of key-value mapping, $(D ValueType) defines the type of the value of the container. Typically, a map-style container mapping values of type $(D K) to values of type $(D V) defines $(D KeyType) to be $(D K) and $(D ValueType) to be $(D V). */ alias T ValueType; /** Defines the container's primary range, which embodies one of the ranges defined in $(XREFMODULE range). Generally a container may define several types of ranges. */ struct Range { /// Range primitives. @property bool empty() { assert(0); } /// Ditto @property T front() { assert(0); } /// Ditto T moveFront() { assert(0); } /// Ditto void popFront() { assert(0); } /// Ditto @property T back() { assert(0); } /// Ditto T moveBack() { assert(0); } /// Ditto void popBack() { assert(0); } /// Ditto T opIndex(size_t i) { assert(0); } /// Ditto void opIndexAssign(T value, size_t i) { assert(0); } /// Ditto void opIndexOpAssign(string op)(T value, uint i) { assert(0); } /// Ditto T moveAt(size_t i) { assert(0); } /// Ditto @property size_t length() { assert(0); } } /** Property returning $(D true) if and only if the container has no elements. Complexity: $(BIGOH 1) */ @property bool empty() { assert(0); } /** Returns a duplicate of the container. The elements themselves are not transitively duplicated. Complexity: $(BIGOH n). */ @property TotalContainer dup() { assert(0); } /** Returns the number of elements in the container. Complexity: $(BIGOH log(n)). */ @property size_t length() { assert(0); } /** Returns the maximum number of elements the container can store without (a) allocating memory, (b) invalidating iterators upon insertion. Complexity: $(BIGOH log(n)). */ @property size_t capacity() { assert(0); } /** Ensures sufficient capacity to accommodate $(D n) elements. Postcondition: $(D capacity >= n) Complexity: $(BIGOH log(e - capacity)) if $(D e > capacity), otherwise $(BIGOH 1). */ void reserve(size_t e) { assert(0); } /** Returns a range that iterates over all elements of the container, in a container-defined order. The container should choose the most convenient and fast method of iteration for $(D opSlice()). Complexity: $(BIGOH log(n)) */ Range opSlice() { assert(0); } /** Returns a range that iterates the container between two specified positions. Complexity: $(BIGOH log(n)) */ Range opSlice(size_t a, size_t b) { assert(0); } /** Forward to $(D opSlice().front) and $(D opSlice().back), respectively. Complexity: $(BIGOH log(n)) */ @property T front() { assert(0); } /// Ditto T moveFront() { assert(0); } /// Ditto @property T back() { assert(0); } /// Ditto T moveBack() { assert(0); } /** Indexing operators yield or modify the value at a specified index. */ /** Indexing operators yield or modify the value at a specified index. */ ValueType opIndex(KeyType) { assert(0); } /// ditto void opIndexAssign(KeyType) { assert(0); } /// ditto void opIndexOpAssign(string op)(KeyType) { assert(0); } T moveAt(size_t i) { assert(0); } /** $(D k in container) returns true if the given key is in the container. */ bool opBinary(string op)(KeyType k) if (op == "in") { assert(0); } /** Returns a range of all elements containing $(D k) (could be empty or a singleton range). */ Range equalRange(KeyType k) { assert(0); } /** Returns a range of all elements with keys less than $(D k) (could be empty or a singleton range). Only defined by containers that store data sorted at all times. */ Range lowerBound(KeyType k) { assert(0); } /** Returns a range of all elements with keys larger than $(D k) (could be empty or a singleton range). Only defined by containers that store data sorted at all times. */ Range upperBound(KeyType k) { assert(0); } /** Returns a new container that's the concatenation of $(D this) and its argument. $(D opBinaryRight) is only defined if $(D Stuff) does not define $(D opBinary). Complexity: $(BIGOH n + m), where m is the number of elements in $(D stuff) */ TotalContainer opBinary(string op)(Stuff rhs) if (op == "~") { assert(0); } /// ditto TotalContainer opBinaryRight(string op)(Stuff lhs) if (op == "~") { assert(0); } /** Forwards to $(D insertAfter(this[], stuff)). */ void opOpAssign(string op)(Stuff stuff) if (op == "~") { assert(0); } /** Removes all contents from the container. The container decides how $(D capacity) is affected. Postcondition: $(D empty) Complexity: $(BIGOH n) */ void clear() { assert(0); } /** Sets the number of elements in the container to $(D newSize). If $(D newSize) is greater than $(D length), the added elements are added to unspecified positions in the container and initialized with $(D .init). Complexity: $(BIGOH abs(n - newLength)) Postcondition: $(D _length == newLength) */ @property void length(size_t newLength) { assert(0); } /** Inserts $(D stuff) in an unspecified position in the container. Implementations should choose whichever insertion means is the most advantageous for the container, but document the exact behavior. $(D stuff) can be a value convertible to the element type of the container, or a range of values convertible to it. The $(D stable) version guarantees that ranges iterating over the container are never invalidated. Client code that counts on non-invalidating insertion should use $(D stableInsert). Such code would not compile against containers that don't support it. Returns: The number of elements added. Complexity: $(BIGOH m * log(n)), where $(D m) is the number of elements in $(D stuff) */ size_t insert(Stuff)(Stuff stuff) { assert(0); } ///ditto size_t stableInsert(Stuff)(Stuff stuff) { assert(0); } /** Same as $(D insert(stuff)) and $(D stableInsert(stuff)) respectively, but relax the complexity constraint to linear. */ size_t linearInsert(Stuff)(Stuff stuff) { assert(0); } ///ditto size_t stableLinearInsert(Stuff)(Stuff stuff) { assert(0); } /** Picks one value in an unspecified position in the container, removes it from the container, and returns it. Implementations should pick the value that's the most advantageous for the container, but document the exact behavior. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Precondition: $(D !empty) Returns: The element removed. Complexity: $(BIGOH log(n)). */ T removeAny() { assert(0); } /// ditto T stableRemoveAny() { assert(0); } /** Inserts $(D value) to the front or back of the container. $(D stuff) can be a value convertible to the container's element type or a range of values convertible to it. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of elements inserted Complexity: $(BIGOH log(n)). */ size_t insertFront(Stuff)(Stuff stuff) { assert(0); } /// ditto size_t stableInsertFront(Stuff)(Stuff stuff) { assert(0); } /// ditto size_t insertBack(Stuff)(Stuff stuff) { assert(0); } /// ditto size_t stableInsertBack(T value) { assert(0); } /** Removes the value at the front or back of the container. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. The optional parameter $(D howMany) instructs removal of that many elements. If $(D howMany > n), all elements are removed and no exception is thrown. Precondition: $(D !empty) Complexity: $(BIGOH log(n)). */ void removeFront() { assert(0); } /// ditto void stableRemoveFront() { assert(0); } /// ditto void removeBack() { assert(0); } /// ditto void stableRemoveBack() { assert(0); } /** Removes $(D howMany) values at the front or back of the container. Unlike the unparameterized versions above, these functions do not throw if they could not remove $(D howMany) elements. Instead, if $(D howMany > n), all elements are removed. The returned value is the effective number of elements removed. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of elements removed Complexity: $(BIGOH howMany * log(n)). */ size_t removeFront(size_t howMany) { assert(0); } /// ditto size_t stableRemoveFront(size_t howMany) { assert(0); } /// ditto size_t removeBack(size_t howMany) { assert(0); } /// ditto size_t stableRemoveBack(size_t howMany) { assert(0); } /** Removes all values corresponding to key $(D k). Complexity: $(BIGOH m * log(n)), where $(D m) is the number of elements with the same key. Returns: The number of elements removed. */ size_t removeKey(KeyType k) { assert(0); } /** Inserts $(D stuff) before, after, or instead range $(D r), which must be a valid range previously extracted from this container. $(D stuff) can be a value convertible to the container's element type or a range of objects convertible to it. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of values inserted. Complexity: $(BIGOH n + m), where $(D m) is the length of $(D stuff) */ size_t insertBefore(Stuff)(Range r, Stuff stuff) { assert(0); } /// ditto size_t stableInsertBefore(Stuff)(Range r, Stuff stuff) { assert(0); } /// ditto size_t insertAfter(Stuff)(Range r, Stuff stuff) { assert(0); } /// ditto size_t stableInsertAfter(Stuff)(Range r, Stuff stuff) { assert(0); } /// ditto size_t replace(Stuff)(Range r, Stuff stuff) { assert(0); } /// ditto size_t stableReplace(Stuff)(Range r, Stuff stuff) { assert(0); } /** Removes all elements belonging to $(D r), which must be a range obtained originally from this container. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: A range spanning the remaining elements in the container that initially were right after $(D r). Complexity: $(BIGOH m * log(n)), where $(D m) is the number of elements in $(D r) */ Range remove(Range r) { assert(0); } /// ditto Range stableRemove(Range r) { assert(0); } /** Same as $(D remove) above, but has complexity relaxed to linear. Returns: A range spanning the remaining elements in the container that initially were right after $(D r). Complexity: $(BIGOH n) */ Range linearRemove(Range r) { assert(0); } /// ditto Range stableLinearRemove(Range r) { assert(0); } } unittest { TotalContainer!int test; } /** Returns an initialized container. This function is mainly for eliminating construction differences between $(D class) containers and $(D struct) containers. */ Container make(Container, T...)(T arguments) if (is(Container == struct)) { static if (T.length == 0) static assert(false, "You must pass at least one argument"); else return Container(arguments); } /// ditto Container make(Container, T...)(T arguments) if (is(Container == class)) { return new Container(arguments); } /** Implements a simple and fast singly-linked list. */ struct SList(T) { private struct Node { T _payload; Node * _next; this(T a, Node* b) { _payload = a; _next = b; } } private Node * _root; private static Node * findLastNode(Node * n) { assert(n); auto ahead = n._next; while (ahead) { n = ahead; ahead = n._next; } return n; } private static Node * findLastNode(Node * n, size_t limit) { assert(n && limit); auto ahead = n._next; while (ahead) { if (!--limit) break; n = ahead; ahead = n._next; } return n; } private static Node * findNode(Node * n, Node * findMe) { assert(n); auto ahead = n._next; while (ahead != findMe) { n = ahead; enforce(n); ahead = n._next; } return n; } /** Constructor taking a number of nodes */ this(U)(U[] values...) if (isImplicitlyConvertible!(U, T)) { insertFront(values); } /** Constructor taking an input range */ this(Stuff)(Stuff stuff) if (isInputRange!Stuff && isImplicitlyConvertible!(ElementType!Stuff, T) && !is(Stuff == T[])) { insertFront(stuff); } /** Comparison for equality. Complexity: $(BIGOH min(n, n1)) where $(D n1) is the number of elements in $(D rhs). */ bool opEquals(ref const SList rhs) const { const(Node) * n1 = _root, n2 = rhs._root; for (;; n1 = n1._next, n2 = n2._next) { if (!n1) return !n2; if (!n2 || n1._payload != n2._payload) return false; } } /** Defines the container's primary range, which embodies a forward range. */ struct Range { private Node * _head; private this(Node * p) { _head = p; } /// Forward range primitives. bool empty() const { return !_head; } /// ditto @property Range save() { return this; } /// ditto @property T front() { return _head._payload; } /// ditto @property void front(T value) { enforce(_head); _head._payload = value; } /// ditto void popFront() { enforce(_head); _head = _head._next; } T moveFront() { enforce(_head); return move(_head._payload); } bool sameHead(Range rhs) { return _head && _head == rhs._head; } } unittest { static assert(isForwardRange!Range); } /** Property returning $(D true) if and only if the container has no elements. Complexity: $(BIGOH 1) */ @property bool empty() const { return _root is null; } /** Duplicates the container. The elements themselves are not transitively duplicated. Complexity: $(BIGOH n). */ @property SList dup() { return SList(this[]); } /** Returns a range that iterates over all elements of the container, in forward order. Complexity: $(BIGOH 1) */ Range opSlice() { return Range(_root); } /** Forward to $(D opSlice().front). Complexity: $(BIGOH 1) */ @property T front() { enforce(_root); return _root._payload; } /** Forward to $(D opSlice().front(value)). Complexity: $(BIGOH 1) */ @property void front(T value) { enforce(_root); _root._payload = value; } unittest { auto s = SList!int(1, 2, 3); s.front = 42; assert(s == SList!int(42, 2, 3)); } /** Returns a new $(D SList) that's the concatenation of $(D this) and its argument. $(D opBinaryRight) is only defined if $(D Stuff) does not define $(D opBinary). */ SList opBinary(string op, Stuff)(Stuff rhs) if (op == "~" && is(typeof(SList(rhs)))) { auto toAdd = SList(rhs); static if (is(Stuff == SList)) { toAdd = toAdd.dup; } if (empty) return toAdd; // TODO: optimize auto result = dup; auto n = findLastNode(result._root); n._next = toAdd._root; return result; } /** Removes all contents from the $(D SList). Postcondition: $(D empty) Complexity: $(BIGOH 1) */ void clear() { _root = null; } /** Inserts $(D stuff) to the front of the container. $(D stuff) can be a value convertible to $(D T) or a range of objects convertible to $(D T). The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of elements inserted Complexity: $(BIGOH log(n)) */ size_t insertFront(Stuff)(Stuff stuff) if (isInputRange!Stuff && isImplicitlyConvertible!(ElementType!Stuff, T)) { size_t result; Node * n, newRoot; foreach (item; stuff) { auto newNode = new Node(item, null); (newRoot ? n._next : newRoot) = newNode; n = newNode; ++result; } if (!n) return 0; // Last node points to the old root n._next = _root; _root = newRoot; return result; } /// ditto size_t insertFront(Stuff)(Stuff stuff) if (isImplicitlyConvertible!(Stuff, T)) { auto newRoot = new Node(stuff, _root); _root = newRoot; return 1; } /// ditto alias insertFront insert; /// ditto alias insert stableInsert; /// ditto alias insertFront stableInsertFront; /** Picks one value from the front of the container, removes it from the container, and returns it. Precondition: $(D !empty) Returns: The element removed. Complexity: $(BIGOH 1). */ T removeAny() { enforce(!empty); auto result = move(_root._payload); _root = _root._next; return result; } /// ditto alias removeAny stableRemoveAny; /** Removes the value at the front of the container. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Precondition: $(D !empty) Complexity: $(BIGOH 1). */ void removeFront() { enforce(_root); _root = _root._next; } /// ditto alias removeFront stableRemoveFront; /** Removes $(D howMany) values at the front or back of the container. Unlike the unparameterized versions above, these functions do not throw if they could not remove $(D howMany) elements. Instead, if $(D howMany > n), all elements are removed. The returned value is the effective number of elements removed. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of elements removed Complexity: $(BIGOH howMany * log(n)). */ size_t removeFront(size_t howMany) { size_t result; while (_root && result < howMany) { _root = _root._next; ++result; } return result; } /// ditto alias removeFront stableRemoveFront; /** Inserts $(D stuff) after range $(D r), which must be a range previously extracted from this container. Given that all ranges for a list end at the end of the list, this function essentially appends to the list and uses $(D r) as a potentially fast way to reach the last node in the list. (Ideally $(D r) is positioned near or at the last element of the list.) $(D stuff) can be a value convertible to $(D T) or a range of objects convertible to $(D T). The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of values inserted. Complexity: $(BIGOH k + m), where $(D k) is the number of elements in $(D r) and $(D m) is the length of $(D stuff). */ size_t insertAfter(Stuff)(Range r, Stuff stuff) { if (!_root) { enforce(!r._head); return insertFront(stuff); } enforce(r._head); auto n = findLastNode(r._head); SList tmp; auto result = tmp.insertFront(stuff); n._next = tmp._root; return result; } /** Similar to $(D insertAfter) above, but accepts a range bounded in count. This is important for ensuring fast insertions in the middle of the list. For fast insertions after a specified position $(D r), use $(D insertAfter(take(r, 1), stuff)). The complexity of that operation only depends on the number of elements in $(D stuff). Precondition: $(D r.original.empty || r.maxLength > 0) Returns: The number of values inserted. Complexity: $(BIGOH k + m), where $(D k) is the number of elements in $(D r) and $(D m) is the length of $(D stuff). */ size_t insertAfter(Stuff)(Take!Range r, Stuff stuff) { auto orig = r.original; if (!orig._head) { // Inserting after a null range counts as insertion to the // front return insertFront(stuff); } enforce(!r.empty); // Find the last valid element in the range foreach (i; 1 .. r.maxLength) { if (!orig._head._next) break; orig.popFront(); } // insert here SList tmp; tmp._root = orig._head._next; auto result = tmp.insertFront(stuff); orig._head._next = tmp._root; return result; } /// ditto alias insertAfter stableInsertAfter; /** Removes a range from the list in linear time. Returns: An empty range. Complexity: $(BIGOH n) */ Range linearRemove(Range r) { if (!_root) { enforce(!r._head); return this[]; } auto n = findNode(_root, r._head); n._next = null; return Range(null); } /** Removes a $(D Take!Range) from the list in linear time. Returns: A range comprehending the elements after the removed range. Complexity: $(BIGOH n) */ Range linearRemove(Take!Range r) { auto orig = r.original; // We have something to remove here if (orig._head == _root) { // remove straight from the head of the list for (; !orig.empty; orig.popFront()) { removeFront(); } return this[]; } if (!r.maxLength) { // Nothing to remove, return the range itself return orig; } // Remove from somewhere in the middle of the list enforce(_root); auto n1 = findNode(_root, orig._head); auto n2 = findLastNode(orig._head, r.maxLength); n1._next = n2._next; return Range(n1._next); } /// ditto alias linearRemove stableLinearRemove; } unittest { auto s = make!(SList!int)(1, 2, 3); auto n = s.findLastNode(s._root); assert(n && n._payload == 3); } unittest { auto s = SList!int(1, 2, 5, 10); assert(walkLength(s[]) == 4); } unittest { auto src = take([0, 1, 2, 3], 3); auto s = SList!int(src); assert(s == SList!int(0, 1, 2)); } unittest { auto a = SList!int(1, 2, 3); auto b = SList!int(4, 5, 6); // @@@BUG@@@ in compiler //auto c = a ~ b; auto d = [ 4, 5, 6 ]; auto e = a ~ d; assert(e == SList!int(1, 2, 3, 4, 5, 6)); } unittest { auto a = SList!int(1, 2, 3); auto c = a ~ 4; assert(c == SList!int(1, 2, 3, 4)); } unittest { auto s = SList!int(1, 2, 3, 4); s.insertFront([ 42, 43 ]); assert(s == SList!int(42, 43, 1, 2, 3, 4)); } unittest { auto s = SList!int(1, 2, 3); assert(s.removeAny() == 1); assert(s == SList!int(2, 3)); assert(s.stableRemoveAny() == 2); assert(s == SList!int(3)); } unittest { auto s = SList!int(1, 2, 3); s.removeFront(); assert(equal(s[], [2, 3])); s.stableRemoveFront(); assert(equal(s[], [3])); } unittest { auto s = SList!int(1, 2, 3, 4, 5, 6, 7); assert(s.removeFront(3) == 3); assert(s == SList!int(4, 5, 6, 7)); } unittest { auto a = SList!int(1, 2, 3); auto b = SList!int(1, 2, 3); assert(a.insertAfter(a[], b[]) == 3); } unittest { auto s = SList!int(1, 2, 3, 4); auto r = take(s[], 2); assert(s.insertAfter(r, 5) == 1); assert(s == SList!int(1, 2, 5, 3, 4)); } unittest { auto s = SList!int(1, 2, 3, 4, 5); auto r = s[]; popFrontN(r, 3); auto r1 = s.linearRemove(r); assert(s == SList!int(1, 2, 3)); assert(r1.empty); } unittest { auto s = SList!int(1, 2, 3, 4, 5, 6, 7, 8, 9, 10); auto r = s[]; popFrontN(r, 3); auto r1 = take(r, 4); assert(equal(r1, [4, 5, 6, 7])); auto r2 = s.linearRemove(r1); assert(s == SList!int(1, 2, 3, 8, 9, 10)); assert(equal(r2, [8, 9, 10])); } unittest { auto lst = SList!int(1, 5, 42, 9); assert(!lst.empty); assert(lst.front == 1); assert(walkLength(lst[]) == 4); auto lst2 = lst ~ [ 1, 2, 3 ]; assert(walkLength(lst2[]) == 7); auto lst3 = lst ~ [ 7 ]; assert(walkLength(lst3[]) == 5); } unittest { auto s = make!(SList!int)(1, 2, 3); } /** Array type with deterministic control of memory. The memory allocated for the array is reclaimed as soon as possible; there is no reliance on the garbage collector. $(D Array) uses $(D malloc) and $(D free) for managing its own memory. */ struct Array(T) if (!is(T : const(bool))) { // This structure is not copyable. private struct Payload { size_t _capacity; T[] _payload; // Convenience constructor this(T[] p) { _capacity = p.length; _payload = p; } // Destructor releases array memory ~this() { foreach (ref e; _payload) .clear(e); static if (hasIndirections!T) GC.removeRange(_payload.ptr); free(_payload.ptr); } this(this) { assert(0); } void opAssign(Array!(T).Payload rhs) { assert(false); } // Duplicate data // @property Payload dup() // { // Payload result; // result._payload = _payload.dup; // // Conservatively assume initial capacity == length // result._capacity = result._payload.length; // return result; // } // length @property size_t length() const { return _payload.length; } // length @property void length(size_t newLength) { if (length >= newLength) { // shorten static if (is(T == struct) && hasElaborateDestructor!T) { foreach (ref e; _payload.ptr[newLength .. _payload.length]) { clear(e); } } _payload = _payload.ptr[0 .. newLength]; return; } // enlarge auto startEmplace = length; _payload = (cast(T*) realloc(_payload.ptr, T.sizeof * newLength))[0 .. newLength]; initializeAll(_payload.ptr[startEmplace .. length]); } // capacity @property size_t capacity() const { return _capacity; } // reserve void reserve(size_t elements) { if (elements <= capacity) return; immutable sz = elements * T.sizeof; static if (hasIndirections!T) // should use hasPointers instead { /* Because of the transactional nature of this * relative to the garbage collector, ensure no * threading bugs by using malloc/copy/free rather * than realloc. */ immutable oldLength = length; auto newPayload = enforce((cast(T*) malloc(sz))[0 .. oldLength]); // copy old data over to new array newPayload[] = _payload[]; // Zero out unused capacity to prevent gc from seeing // false pointers memset(newPayload.ptr + oldLength, 0, (elements - oldLength) * T.sizeof); GC.addRange(newPayload.ptr, sz); GC.removeRange(_data._payload.ptr); free(_data._payload.ptr); _data._payload = newPayload; } else { /* These can't have pointers, so no need to zero * unused region */ auto newPayload = enforce(cast(T*) realloc(_payload.ptr, sz))[0 .. length]; _payload = newPayload; } _capacity = elements; } // Insert one item size_t insertBack(Stuff)(Stuff stuff) if (isImplicitlyConvertible!(Stuff, T)) { if (_capacity == length) { reserve(1 + capacity * 3 / 2); } assert(capacity > length && _payload.ptr); emplace!T((cast(void*) (_payload.ptr + _payload.length)) [0 .. T.sizeof], stuff); _payload = _payload.ptr[0 .. _payload.length + 1]; return 1; } /// Insert a range of items size_t insertBack(Stuff)(Stuff stuff) if (isInputRange!Stuff && isImplicitlyConvertible!(ElementType!Stuff, T)) { static if (hasLength!Stuff) { immutable oldLength = length; reserve(oldLength + stuff.length); } size_t result; foreach (item; stuff) { insertBack(item); ++result; } static if (hasLength!Stuff) { assert(length == oldLength + stuff.length); } return result; } } private alias RefCounted!(Payload, RefCountedAutoInitialize.no) Data; private Data _data; this(U)(U[] values...) if (isImplicitlyConvertible!(U, T)) { auto p = malloc(T.sizeof * values.length); if (hasIndirections!T && p) { GC.addRange(p, T.sizeof * values.length); } foreach (i, e; values) { emplace!T(p[i * T.sizeof .. (i + 1) * T.sizeof], e); assert((cast(T*) p)[i] == e); } _data.RefCounted.initialize((cast(T*) p)[0 .. values.length]); } /** Comparison for equality. */ bool opEquals(ref const Array rhs) const { if (empty) return rhs.empty; if (rhs.empty) return false; return _data._payload == rhs._data._payload; } /** Defines the container's primary range, which is a random-access range. */ struct Range { private Array _outer; private size_t _a, _b; this(Array data, size_t a, size_t b) { _outer = data; _a = a; _b = b; } @property bool empty() const { assert(_outer.length >= _b); return _a >= _b; } @property Range save() { return this; } @property T front() { enforce(!empty); return _outer[_a]; } @property T back() { enforce(!empty); return _outer[_b - 1]; } @property void front(T value) { enforce(!empty); _outer[_a] = move(value); } @property void back(T value) { enforce(!empty); _outer[_b - 1] = move(value); } void popFront() { enforce(!empty); ++_a; } void popBack() { enforce(!empty); --_b; } T moveFront() { enforce(!empty); return move(_outer._data._payload[_a]); } T moveBack() { enforce(!empty); return move(_outer._data._payload[_b - 1]); } T moveAt(size_t i) { i += _a; enforce(i < _b && !empty); return move(_outer._data._payload[_a + i]); } T opIndex(size_t i) { i += _a; enforce(i < _b && _b <= _outer.length); return _outer[i]; } void opIndexAssign(T value, size_t i) { i += _a; enforce(i < _b && _b <= _outer.length); _outer[i] = value; } typeof(this) opSlice(size_t a, size_t b) { return typeof(this)(_outer, a + _a, b + _a); } void opIndexOpAssign(string op)(T value, size_t i) { enforce(_outer && _a + i < _b && _b <= _outer._payload.length); mixin("_outer._payload.ptr[_a + i] "~op~"= value;"); } @property size_t length() const { return _b - _a; } } /** Property returning $(D true) if and only if the container has no elements. Complexity: $(BIGOH 1) */ @property bool empty() const { return !_data.RefCounted.isInitialized || _data._payload.empty; } /** Duplicates the container. The elements themselves are not transitively duplicated. Complexity: $(BIGOH n). */ @property Array dup() { if (!_data.RefCounted.isInitialized) return this; return Array(_data._payload); } /** Returns the number of elements in the container. Complexity: $(BIGOH 1). */ @property size_t length() const { return _data.RefCounted.isInitialized ? _data._payload.length : 0; } /** Returns the maximum number of elements the container can store without (a) allocating memory, (b) invalidating iterators upon insertion. Complexity: $(BIGOH 1) */ @property size_t capacity() { return _data.RefCounted.isInitialized ? _data._capacity : 0; } /** Ensures sufficient capacity to accommodate $(D e) elements. Postcondition: $(D capacity >= e) Complexity: $(BIGOH 1) */ void reserve(size_t elements) { if (!_data.RefCounted.isInitialized) { if (!elements) return; immutable sz = elements * T.sizeof; auto p = enforce(malloc(sz)); static if (hasIndirections!T) { GC.addRange(p, sz); } _data.RefCounted.initialize(cast(T[]) p[0 .. 0]); _data._capacity = elements; } else { _data.reserve(elements); } } /** Returns a range that iterates over elements of the container, in forward order. Complexity: $(BIGOH 1) */ Range opSlice() { // Workaround for bug 4356 Array copy; copy._data = this._data; return Range(copy, 0, length); } /** Returns a range that iterates over elements of the container from index $(D a) up to (excluding) index $(D b). Precondition: $(D a <= b && b <= length) Complexity: $(BIGOH 1) */ Range opSlice(size_t a, size_t b) { enforce(a <= b && b <= length); // Workaround for bug 4356 Array copy; copy._data = this._data; return Range(copy, a, b); } /** @@@BUG@@@ This doesn't work yet */ size_t opDollar() const { return length; } /** Forward to $(D opSlice().front) and $(D opSlice().back), respectively. Precondition: $(D !empty) Complexity: $(BIGOH 1) */ @property T front() { enforce(!empty); return *_data._payload.ptr; } /// ditto @property void front(T value) { enforce(!empty); *_data._payload.ptr = value; } /// ditto @property T back() { enforce(!empty); return _data._payload[$ - 1]; } /// ditto @property void back(T value) { enforce(!empty); _data._payload[$ - 1] = value; } /** Indexing operators yield or modify the value at a specified index. Precondition: $(D i < length) Complexity: $(BIGOH 1) */ T opIndex(size_t i) { enforce(_data.RefCounted.isInitialized); return _data._payload[i]; } /// ditto void opIndexAssign(T value, size_t i) { enforce(_data.RefCounted.isInitialized); _data._payload[i] = value; } /// ditto void opIndexOpAssign(string op)(T value, size_t i) { mixin("_data._payload[i] "~op~"= value;"); } /** Returns a new container that's the concatenation of $(D this) and its argument. $(D opBinaryRight) is only defined if $(D Stuff) does not define $(D opBinary). Complexity: $(BIGOH n + m), where m is the number of elements in $(D stuff) */ Array opBinary(string op, Stuff)(Stuff stuff) if (op == "~") { // TODO: optimize Array result; // @@@BUG@@ result ~= this[] doesn't work auto r = this[]; result ~= r; assert(result.length == length); result ~= stuff[]; return result; } /** Forwards to $(D insertBack(stuff)). */ void opOpAssign(string op, Stuff)(Stuff stuff) if (op == "~") { static if (is(typeof(stuff[]))) { insertBack(stuff[]); } else { insertBack(stuff); } } /** Removes all contents from the container. The container decides how $(D capacity) is affected. Postcondition: $(D empty) Complexity: $(BIGOH n) */ void clear() { .clear(_data); } /** Sets the number of elements in the container to $(D newSize). If $(D newSize) is greater than $(D length), the added elements are added to unspecified positions in the container and initialized with $(D T.init). Complexity: $(BIGOH abs(n - newLength)) Postcondition: $(D length == newLength) */ @property void length(size_t newLength) { _data.RefCounted.ensureInitialized(); _data.length = newLength; } /** Picks one value in an unspecified position in the container, removes it from the container, and returns it. Implementations should pick the value that's the most advantageous for the container, but document the exact behavior. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Precondition: $(D !empty) Returns: The element removed. Complexity: $(BIGOH log(n)). */ T removeAny() { auto result = back; removeBack(); return result; } /// ditto alias removeAny stableRemoveAny; /** Inserts $(D value) to the front or back of the container. $(D stuff) can be a value convertible to $(D T) or a range of objects convertible to $(D T). The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of elements inserted Complexity: $(BIGOH m * log(n)), where $(D m) is the number of elements in $(D stuff) */ size_t insertBack(Stuff)(Stuff stuff) if (isImplicitlyConvertible!(Stuff, T) || isInputRange!Stuff && isImplicitlyConvertible!(ElementType!Stuff, T)) { _data.RefCounted.ensureInitialized(); return _data.insertBack(stuff); } /// ditto alias insertBack insert; /** Removes the value at the back of the container. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Precondition: $(D !empty) Complexity: $(BIGOH log(n)). */ void removeBack() { enforce(!empty); static if (is(T == struct)) { // Destroy this guy .clear(_data._payload[$ - 1]); } _data._payload = _data._payload[0 .. $ - 1]; } /// ditto alias removeBack stableRemoveBack; /** Removes $(D howMany) values at the front or back of the container. Unlike the unparameterized versions above, these functions do not throw if they could not remove $(D howMany) elements. Instead, if $(D howMany > n), all elements are removed. The returned value is the effective number of elements removed. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of elements removed Complexity: $(BIGOH howMany). */ size_t removeBack(size_t howMany) { if (howMany > length) howMany = length; static if (is(T == struct)) { // Destroy this guy foreach (ref e; _data._payload[$ - howMany .. $]) { .clear(e); } } _data._payload = _data._payload[0 .. $ - howMany]; return howMany; } /// ditto alias removeBack stableRemoveBack; /** Inserts $(D stuff) before, after, or instead range $(D r), which must be a valid range previously extracted from this container. $(D stuff) can be a value convertible to $(D T) or a range of objects convertible to $(D T). The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of values inserted. Complexity: $(BIGOH n + m), where $(D m) is the length of $(D stuff) */ size_t insertBefore(Stuff)(Range r, Stuff stuff) if (isImplicitlyConvertible!(Stuff, T)) { enforce(r._outer._data == _data && r._a < length); reserve(length + 1); assert(_data.RefCounted.isInitialized); // Move elements over by one slot memmove(_data._payload.ptr + r._a + 1, _data._payload.ptr + r._a, T.sizeof * (length - r._a)); emplace!T((cast(void*) (_data._payload.ptr + r._a))[0 .. T.sizeof], stuff); _data._payload = _data._payload.ptr[0 .. _data._payload.length + 1]; return 1; } /// ditto size_t insertBefore(Stuff)(Range r, Stuff stuff) if (isInputRange!Stuff && isImplicitlyConvertible!(ElementType!Stuff, T)) { enforce(r._outer._data == _data && r._a <= length); static if (isForwardRange!Stuff) { // Can find the length in advance auto extra = walkLength(stuff); if (!extra) return 0; reserve(length + extra); assert(_data.RefCounted.isInitialized); // Move elements over by extra slots memmove(_data._payload.ptr + r._a + extra, _data._payload.ptr + r._a, T.sizeof * (length - r._a)); foreach (p; _data._payload.ptr + r._a .. _data._payload.ptr + r._a + extra) { emplace!T((cast(void*) p)[0 .. T.sizeof], stuff.front); stuff.popFront(); } _data._payload = _data._payload.ptr[0 .. _data._payload.length + extra]; return extra; } else { enforce(_data); immutable offset = r._a; enforce(offset <= length); auto result = insertBack(stuff); bringToFront(this[offset .. length - result], this[length - result .. length]); return result; } } /// ditto size_t insertAfter(Stuff)(Range r, Stuff stuff) { // TODO: optimize enforce(_data); immutable offset = r.ptr + r.length - _data._payload.ptr; enforce(offset <= length); auto result = insertBack(stuff); bringToFront(this[offset .. length - result], this[length - result .. length]); return result; } /// ditto size_t replace(Stuff)(Range r, Stuff stuff) if (isInputRange!Stuff && isImplicitlyConvertible!(ElementType!Stuff, T)) { enforce(_data); immutable offset = r.ptr - _data._payload.ptr; enforce(offset <= length); size_t result; for (; !stuff.empty; stuff.popFront()) { if (r.empty) { // append the rest return result + insertBack(stuff); } r.front = stuff.front; r.popFront(); ++result; } // Remove remaining stuff in r remove(r); return result; } /// ditto size_t replace(Stuff)(Range r, Stuff stuff) if (isImplicitlyConvertible!(Stuff, T)) { if (r.empty) { insertBefore(r, stuff); } else { r.front = stuff; r.popFront(); remove(r); } return 1; } /** Removes all elements belonging to $(D r), which must be a range obtained originally from this container. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: A range spanning the remaining elements in the container that initially were right after $(D r). Complexity: $(BIGOH n - m), where $(D m) is the number of elements in $(D r) */ Range linearRemove(Range r) { enforce(_data.RefCounted.isInitialized); enforce(r._a <= r._b && r._b <= length); immutable offset1 = r._a; immutable offset2 = r._b; immutable tailLength = length - offset2; // Use copy here, not a[] = b[] because the ranges may overlap copy(this[offset2 .. length], this[offset1 .. offset1 + tailLength]); length = offset1 + tailLength; return this[length - tailLength .. length]; } /// ditto alias remove stableLinearRemove; } // unittest // { // Array!int a; // assert(a.empty); // } unittest { Array!int a = Array!int(1, 2, 3); //a._data._refCountedDebug = true; auto b = a.dup; assert(b == Array!int(1, 2, 3)); b.front = 42; assert(b == Array!int(42, 2, 3)); assert(a == Array!int(1, 2, 3)); } unittest { auto a = Array!int(1, 2, 3); assert(a.length == 3); } unittest { Array!int a; a.reserve(1000); assert(a.length == 0); assert(a.empty); assert(a.capacity >= 1000); auto p = a._data._payload.ptr; foreach (i; 0 .. 1000) { a.insertBack(i); } assert(p == a._data._payload.ptr); } unittest { auto a = Array!int(1, 2, 3); a[1] *= 42; assert(a[1] == 84); } unittest { auto a = Array!int(1, 2, 3); auto b = Array!int(11, 12, 13); auto c = a ~ b; //foreach (e; c) writeln(e); assert(c == Array!int(1, 2, 3, 11, 12, 13)); //assert(a ~ b[] == Array!int(1, 2, 3, 11, 12, 13)); } unittest { auto a = Array!int(1, 2, 3); auto b = Array!int(11, 12, 13); a ~= b; assert(a == Array!int(1, 2, 3, 11, 12, 13)); } unittest { auto a = Array!int(1, 2, 3, 4); assert(a.removeAny() == 4); assert(a == Array!int(1, 2, 3)); } unittest { auto a = Array!int(1, 2, 3, 4, 5); auto r = a[2 .. a.length]; assert(a.insertBefore(r, 42) == 1); assert(a == Array!int(1, 2, 42, 3, 4, 5)); r = a[2 .. 2]; assert(a.insertBefore(r, [8, 9]) == 2); assert(a == Array!int(1, 2, 8, 9, 42, 3, 4, 5)); } unittest { auto a = Array!int(0, 1, 2, 3, 4, 5, 6, 7, 8); a.linearRemove(a[4 .. 6]); auto b = Array!int(0, 1, 2, 3, 6, 7, 8); //writeln(a.length); //foreach (e; a) writeln(e); assert(a == Array!int(0, 1, 2, 3, 6, 7, 8)); } // Give the Range object some testing. unittest { auto a = Array!int(0, 1, 2, 3, 4, 5, 6)[]; auto b = Array!int(6, 5, 4, 3, 2, 1, 0)[]; alias typeof(a) A; static assert(isRandomAccessRange!A); static assert(hasSlicing!A); static assert(hasAssignableElements!A); static assert(hasMobileElements!A); assert(equal(retro(b), a)); assert(a.length == 7); assert(equal(a[1..4], [1, 2, 3])); } // BinaryHeap /** Implements a $(WEB en.wikipedia.org/wiki/Binary_heap, binary heap) container on top of a given random-access range type (usually $(D T[])) or a random-access container type (usually $(D Array!T)). The documentation of $(D BinaryHeap) will refer to the underlying range or container as the $(I store) of the heap. The binary heap induces structure over the underlying store such that accessing the largest element (by using the $(D front) property) is a $(BIGOH 1) operation and extracting it (by using the $(D removeFront()) method) is done fast in $(BIGOH log n) time. If $(D less) is the less-than operator, which is the default option, then $(D BinaryHeap) defines a so-called max-heap that optimizes extraction of the $(I largest) elements. To define a min-heap, instantiate BinaryHeap with $(D "a > b") as its predicate. Simply extracting elements from a $(D BinaryHeap) container is tantamount to lazily fetching elements of $(D Store) in descending order. Extracting elements from the $(D BinaryHeap) to completion leaves the underlying store sorted in ascending order but, again, yields elements in descending order. If $(D Store) is a range, the $(D BinaryHeap) cannot grow beyond the size of that range. If $(D Store) is a container that supports $(D insertBack), the $(D BinaryHeap) may grow by adding elements to the container. Example: ---- // Example from "Introduction to Algorithms" Cormen et al, p 146 int[] a = [ 4, 1, 3, 2, 16, 9, 10, 14, 8, 7 ]; auto h = heapify(a); // largest element assert(h.front == 16); // a has the heap property assert(equal(a, [ 16, 14, 10, 9, 8, 7, 4, 3, 2, 1 ])); ---- */ struct BinaryHeap(Store, alias less = "a < b") if (isRandomAccessRange!(Store) || isRandomAccessRange!(typeof(Store.init[]))) { // Really weird @@BUG@@: if you comment out the "private:" label below, // std.algorithm can't unittest anymore //private: // The payload includes the support store and the effective length private RefCounted!(Tuple!(Store, "_store", size_t, "_length"), RefCountedAutoInitialize.no) _payload; // Comparison predicate private alias binaryFun!(less) comp; // Convenience accessors private @property ref Store _store() { assert(_payload.RefCounted.isInitialized); return _payload._store; } private @property ref size_t _length() { assert(_payload.RefCounted.isInitialized); return _payload._length; } // Asserts that the heap property is respected. private void assertValid() { debug { if (!_payload.RefCounted.isInitialized) return; if (_length < 2) return; for (size_t n = _length - 1; n >= 1; --n) { auto parentIdx = (n - 1) / 2; assert(!comp(_store[parentIdx], _store[n]), text(n)); } } } // Assuming the element at index i perturbs the heap property in // store r, percolates it down the heap such that the heap // property is restored. private void percolateDown(Store r, size_t i, size_t length) { for (;;) { auto left = i * 2 + 1, right = left + 1; if (right == length) { if (comp(r[i], r[left])) swap(r, i, left); return; } if (right > length) return; assert(left < length && right < length); auto largest = comp(r[i], r[left]) ? (comp(r[left], r[right]) ? right : left) : (comp(r[i], r[right]) ? right : i); if (largest == i) return; swap(r, i, largest); i = largest; } } // @@@BUG@@@: add private here, std.algorithm doesn't unittest anymore /*private*/ void pop(Store store) { assert(!store.empty); if (store.length == 1) return; auto t1 = moveFront(store[]); auto t2 = moveBack(store[]); store.front = move(t2); store.back = move(t1); percolateDown(store, 0, store.length - 1); } /*private*/ static void swap(Store _store, size_t i, size_t j) { static if (is(typeof(swap(_store[i], _store[j])))) { swap(_store[i], _store[j]); } else static if (is(typeof(_store.moveAt(i)))) { auto t1 = _store.moveAt(i); auto t2 = _store.moveAt(j); _store[i] = move(t2); _store[j] = move(t1); } else // assume it's a container and access its range with [] { auto t1 = _store[].moveAt(i); auto t2 = _store[].moveAt(j); _store[i] = move(t2); _store[j] = move(t1); } } public: /** Converts the store $(D s) into a heap. If $(D initialSize) is specified, only the first $(D initialSize) elements in $(D s) are transformed into a heap, after which the heap can grow up to $(D r.length) (if $(D Store) is a range) or indefinitely (if $(D Store) is a container with $(D insertBack)). Performs $(BIGOH min(r.length, initialSize)) evaluations of $(D less). */ this(Store s, size_t initialSize = size_t.max) { acquire(s, initialSize); } /** Takes ownership of a store. After this, manipulating $(D s) may make the heap work incorrectly. */ void acquire(Store s, size_t initialSize = size_t.max) { _payload.RefCounted.ensureInitialized(); _store() = move(s); _length() = min(_store.length, initialSize); if (_length < 2) return; for (auto i = (_length - 2) / 2; ; ) { this.percolateDown(_store, i, _length); if (i-- == 0) break; } assertValid; } /** Takes ownership of a store assuming it already was organized as a heap. */ void assume(Store s, size_t initialSize = size_t.max) { _payload.RefCounted.ensureInitialized(); _store() = s; _length() = min(_store.length, initialSize); assertValid; } /** Clears the heap. Returns the portion of the store from $(D 0) up to $(D length), which satisfies the $(LUCKY heap property). */ auto release() { if (!_payload.RefCounted.isInitialized) { return typeof(_store[0 .. _length]).init; } assertValid(); auto result = _store[0 .. _length]; _payload = _payload.init; return result; } /** Returns $(D true) if the heap is _empty, $(D false) otherwise. */ @property bool empty() { return !length; } /** Returns a duplicate of the heap. The underlying store must also support a $(D dup) method. */ @property BinaryHeap dup() { BinaryHeap result; if (!_payload.RefCounted.isInitialized) return result; result.assume(_store.dup, length); return result; } /** Returns the _length of the heap. */ @property size_t length() { return _payload.RefCounted.isInitialized ? _length : 0; } /** Returns the _capacity of the heap, which is the length of the underlying store (if the store is a range) or the _capacity of the underlying store (if the store is a container). */ @property size_t capacity() { if (!_payload.RefCounted.isInitialized) return 0; static if (is(typeof(_store.capacity) : size_t)) { return _store.capacity; } else { return _store.length; } } /** Returns a copy of the _front of the heap, which is the largest element according to $(D less). */ @property ElementType!Store front() { enforce(!empty); return _store.front; } /** Clears the heap by detaching it from the underlying store. */ void clear() { _payload = _payload.init; } /** Inserts $(D value) into the store. If the underlying store is a range and $(D length == capacity), throws an exception. */ size_t insert(ElementType!Store value) { static if (is(typeof(_store.insertBack(value)))) { _payload.RefCounted.ensureInitialized(); if (length == _store.length) { // reallocate _store.insertBack(value); } else { // no reallocation _store[_length] = value; } } else { // can't grow enforce(length < _store.length, "Cannot grow a heap created over a range"); _store[_length] = value; } // sink down the element for (size_t n = _length; n; ) { auto parentIdx = (n - 1) / 2; if (!comp(_store[parentIdx], _store[n])) break; // done! // must swap and continue swap(_store, parentIdx, n); n = parentIdx; } ++_length; assertValid(); return 1; } /** Removes the largest element from the heap. */ void removeFront() { enforce(!empty); if (_length > 1) { auto t1 = moveFront(_store[]); auto t2 = moveAt(_store[], _length - 1); _store.front = move(t2); _store[_length - 1] = move(t1); } --_length; percolateDown(_store, 0, _length); } /** Removes the largest element from the heap and returns a copy of it. The element still resides in the heap's store. For performance reasons you may want to use $(D removeFront) with heaps of objects that are expensive to copy. */ ElementType!Store removeAny() { removeFront(); return _store[_length]; } /** Replaces the largest element in the store with $(D value). */ void replaceFront(ElementType!Store value) { // must replace the top assert(!empty); _store.front = value; percolateDown(_store, 0, _length); assertValid; } /** If the heap has room to grow, inserts $(D value) into the store and returns $(D true). Otherwise, if $(D less(value, front)), calls $(D replaceFront(value)) and returns again $(D true). Otherwise, leaves the heap unaffected and returns $(D false). This method is useful in scenarios where the smallest $(D k) elements of a set of candidates must be collected. */ bool conditionalInsert(ElementType!Store value) { _payload.RefCounted.ensureInitialized(); if (_length < _store.length) { insert(value); return true; } // must replace the top assert(!_store.empty); if (!comp(value, _store.front)) return false; // value >= largest _store.front = value; percolateDown(_store, 0, _length); assertValid; return true; } } /** Convenience function that returns a $(D BinaryHeap!Store) object initialized with $(D s) and $(D initialSize). */ BinaryHeap!Store heapify(Store)(Store s, size_t initialSize = size_t.max) { return BinaryHeap!Store(s, initialSize); } unittest { { // example from "Introduction to Algorithms" Cormen et al., p 146 int[] a = [ 4, 1, 3, 2, 16, 9, 10, 14, 8, 7 ]; auto h = heapify(a); assert(h.front == 16); assert(a == [ 16, 14, 10, 8, 7, 9, 3, 2, 4, 1 ]); auto witness = [ 16, 14, 10, 9, 8, 7, 4, 3, 2, 1 ]; for (; !h.empty; h.removeFront(), witness.popFront()) { assert(!witness.empty); assert(witness.front == h.front); } assert(witness.empty); } { int[] a = [ 4, 1, 3, 2, 16, 9, 10, 14, 8, 7 ]; int[] b = new int[a.length]; BinaryHeap!(int[]) h = BinaryHeap!(int[])(b, 0); foreach (e; a) { h.insert(e); } assert(b == [ 16, 14, 10, 8, 7, 3, 9, 1, 4, 2 ], text(b)); } } //////////////////////////////////////////////////////////////////////////////// // Array!bool //////////////////////////////////////////////////////////////////////////////// /** _Array specialized for $(D bool). Packs together values efficiently by allocating one bit per element. */ struct Array(T) if (is(T == bool)) { static immutable uint bitsPerWord = size_t.sizeof * 8; private alias Tuple!(Array!(size_t).Payload, "_backend", ulong, "_length") Data; private RefCounted!(Data, RefCountedAutoInitialize.no) _store; private ref size_t[] data() { assert(_store.RefCounted.isInitialized); return _store._backend._payload; } private ref size_t dataCapacity() { return _store._backend._capacity; } /** Defines the container's primary range. */ struct Range { private Array!bool _outer; private ulong _a, _b; /// Range primitives @property Range save() { version (bug4437) { return this; } else { auto copy = this; return copy; } } /// Ditto @property bool empty() { return _a >= _b || _outer.length < _b; } /// Ditto @property T front() { enforce(!empty); return _outer[_a]; } /// Ditto @property void front(bool value) { enforce(!empty); _outer[_a] = value; } /// Ditto T moveFront() { enforce(!empty); return _outer.moveAt(_a); } /// Ditto void popFront() { enforce(!empty); ++_a; } /// Ditto @property T back() { enforce(!empty); return _outer[_b - 1]; } /// Ditto T moveBack() { enforce(!empty); return _outer.moveAt(_b - 1); } /// Ditto void popBack() { enforce(!empty); --_b; } /// Ditto T opIndex(size_t i) { return _outer[_a + i]; } /// Ditto void opIndexAssign(T value, size_t i) { _outer[_a + i] = value; } /// Ditto T moveAt(size_t i) { return _outer.moveAt(_a + i); } /// Ditto @property ulong length() const { assert(_a <= _b); return _b - _a; } } /** Property returning $(D true) if and only if the container has no elements. Complexity: $(BIGOH 1) */ @property bool empty() { return !length; } unittest { Array!bool a; //a._store._refCountedDebug = true; assert(a.empty); a.insertBack(false); assert(!a.empty); } /** Returns a duplicate of the container. The elements themselves are not transitively duplicated. Complexity: $(BIGOH n). */ @property Array!bool dup() { Array!bool result; result.insertBack(this[]); return result; } unittest { Array!bool a; assert(a.empty); auto b = a.dup; assert(b.empty); a.insertBack(true); assert(b.empty); } /** Returns the number of elements in the container. Complexity: $(BIGOH log(n)). */ @property ulong length() { return _store.RefCounted.isInitialized ? _store._length : 0; } unittest { Array!bool a; assert(a.length == 0); a.insert(true); assert(a.length == 1, text(a.length)); } /** Returns the maximum number of elements the container can store without (a) allocating memory, (b) invalidating iterators upon insertion. Complexity: $(BIGOH log(n)). */ @property ulong capacity() { return _store.RefCounted.isInitialized ? cast(ulong) bitsPerWord * _store._backend.capacity : 0; } unittest { Array!bool a; assert(a.capacity == 0); foreach (i; 0 .. 100) { a.insert(true); assert(a.capacity >= a.length, text(a.capacity)); } } /** Ensures sufficient capacity to accommodate $(D n) elements. Postcondition: $(D capacity >= n) Complexity: $(BIGOH log(e - capacity)) if $(D e > capacity), otherwise $(BIGOH 1). */ void reserve(ulong e) { _store.RefCounted.ensureInitialized(); _store._backend.reserve(to!size_t((e + bitsPerWord - 1) / bitsPerWord)); } unittest { Array!bool a; assert(a.capacity == 0); a.reserve(15657); assert(a.capacity >= 15657); } /** Returns a range that iterates over all elements of the container, in a container-defined order. The container should choose the most convenient and fast method of iteration for $(D opSlice()). Complexity: $(BIGOH log(n)) */ Range opSlice() { return Range(this, 0, length); } unittest { Array!bool a; a.insertBack([true, false, true, true]); assert(a[].length == 4); } /** Returns a range that iterates the container between two specified positions. Complexity: $(BIGOH log(n)) */ Range opSlice(ulong a, ulong b) { enforce(a <= b && b <= length); return Range(this, a, b); } unittest { Array!bool a; a.insertBack([true, false, true, true]); assert(a[0 .. 2].length == 2); } /** Equivalent to $(D opSlice().front) and $(D opSlice().back), respectively. Complexity: $(BIGOH log(n)) */ @property bool front() { enforce(!empty); return data.ptr[0] & 1; } /// Ditto @property void front(bool value) { enforce(!empty); if (value) data.ptr[0] |= 1; else data.ptr[0] &= ~cast(size_t) 1; } unittest { Array!bool a; a.insertBack([true, false, true, true]); assert(a.front); a.front = false; assert(!a.front); } /// Ditto @property bool back() { enforce(!empty); return data.back & (1u << ((_store._length - 1) % bitsPerWord)); } /// Ditto @property void back(bool value) { enforce(!empty); if (value) { data.back |= (1u << ((_store._length - 1) % bitsPerWord)); } else { data.back &= ~(cast(size_t)1 << ((_store._length - 1) % bitsPerWord)); } } unittest { Array!bool a; a.insertBack([true, false, true, true]); assert(a.back); a.back = false; assert(!a.back); } /** Indexing operators yield or modify the value at a specified index. */ bool opIndex(ulong i) { auto div = cast(size_t) (i / bitsPerWord); auto rem = i % bitsPerWord; enforce(div < data.length); return data.ptr[div] & (1u << rem); } /// ditto void opIndexAssign(bool value, ulong i) { auto div = cast(size_t) (i / bitsPerWord); auto rem = i % bitsPerWord; enforce(div < data.length); if (value) data.ptr[div] |= (1u << rem); else data.ptr[div] &= ~(cast(size_t)1 << rem); } /// ditto void opIndexOpAssign(string op)(bool value, ulong i) { auto div = cast(size_t) (i / bitsPerWord); auto rem = i % bitsPerWord; enforce(div < data.length); auto oldValue = cast(bool) (data.ptr[div] & (1u << rem)); // Do the deed auto newValue = mixin("oldValue "~op~" value"); // Write back the value if (newValue != oldValue) { if (newValue) data.ptr[div] |= (1u << rem); else data.ptr[div] &= ~(cast(size_t)1 << rem); } } /// Ditto T moveAt(ulong i) { return this[i]; } unittest { Array!bool a; a.insertBack([true, false, true, true]); assert(a[0] && !a[1]); a[0] &= a[1]; assert(!a[0]); } /** Returns a new container that's the concatenation of $(D this) and its argument. Complexity: $(BIGOH n + m), where m is the number of elements in $(D stuff) */ Array!bool opBinary(string op, Stuff)(Stuff rhs) if (op == "~") { auto result = this; return result ~= rhs; } unittest { Array!bool a; a.insertBack([true, false, true, true]); Array!bool b; b.insertBack([true, true, false, true]); assert(equal((a ~ b)[], [true, false, true, true, true, true, false, true])); } // /// ditto // TotalContainer opBinaryRight(Stuff, string op)(Stuff lhs) if (op == "~") // { // assert(0); // } /** Forwards to $(D insertAfter(this[], stuff)). */ // @@@BUG@@@ //ref Array!bool opOpAssign(string op, Stuff)(Stuff stuff) if (op == "~") Array!bool opOpAssign(string op, Stuff)(Stuff stuff) if (op == "~") { static if (is(typeof(stuff[]))) insertBack(stuff[]); else insertBack(stuff); return this; } unittest { Array!bool a; a.insertBack([true, false, true, true]); Array!bool b; a.insertBack([false, true, false, true, true]); a ~= b; assert(equal( a[], [true, false, true, true, false, true, false, true, true])); } /** Removes all contents from the container. The container decides how $(D capacity) is affected. Postcondition: $(D empty) Complexity: $(BIGOH n) */ void clear() { this = Array!bool(); } unittest { Array!bool a; a.insertBack([true, false, true, true]); a.clear(); assert(a.capacity == 0); } /** Sets the number of elements in the container to $(D newSize). If $(D newSize) is greater than $(D length), the added elements are added to the container and initialized with $(D ElementType.init). Complexity: $(BIGOH abs(n - newLength)) Postcondition: $(D _length == newLength) */ @property void length(ulong newLength) { _store.RefCounted.ensureInitialized(); auto newDataLength = to!size_t((newLength + bitsPerWord - 1) / bitsPerWord); _store._backend.length = newDataLength; _store._length = newLength; } unittest { Array!bool a; a.length = 1057; assert(a.length == 1057); foreach (e; a) { assert(!e); } } /** Inserts $(D stuff) in the container. $(D stuff) can be a value convertible to $(D ElementType) or a range of objects convertible to $(D ElementType). The $(D stable) version guarantees that ranges iterating over the container are never invalidated. Client code that counts on non-invalidating insertion should use $(D stableInsert). Returns: The number of elements added. Complexity: $(BIGOH m * log(n)), where $(D m) is the number of elements in $(D stuff) */ alias insertBack insert; ///ditto alias insertBack stableInsert; /** Same as $(D insert(stuff)) and $(D stableInsert(stuff)) respectively, but relax the complexity constraint to linear. */ alias insertBack linearInsert; ///ditto alias insertBack stableLinearInsert; /** Picks one value in the container, removes it from the container, and returns it. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Precondition: $(D !empty) Returns: The element removed. Complexity: $(BIGOH log(n)) */ T removeAny() { auto result = back(); removeBack(); return result; } /// ditto alias removeAny stableRemoveAny; unittest { Array!bool a; a.length = 1057; assert(!a.removeAny()); assert(a.length == 1056); foreach (e; a) { assert(!e); } } /** Inserts $(D value) to the back of the container. $(D stuff) can be a value convertible to $(D ElementType) or a range of objects convertible to $(D ElementType). The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of elements inserted Complexity: $(BIGOH log(n)) */ ulong insertBack(Stuff)(Stuff stuff) if (is(Stuff : bool)) { _store.RefCounted.ensureInitialized(); auto rem = _store._length % bitsPerWord; if (rem) { // Fits within the current array if (stuff) { data[$ - 1] |= (1u << rem); } else { data[$ - 1] &= ~(1u << rem); } } else { // Need to add more data _store._backend.insertBack(stuff); } ++_store._length; return 1; } /// Ditto ulong insertBack(Stuff)(Stuff stuff) if (isInputRange!Stuff && is(ElementType!Stuff : bool)) { static if (!hasLength!Stuff) ulong result; for (; !stuff.empty; stuff.popFront()) { insertBack(stuff.front); static if (!hasLength!Stuff) ++result; } static if (!hasLength!Stuff) return result; else return stuff.length; } /// ditto alias insertBack stableInsertBack; /** Removes the value at the front or back of the container. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. The optional parameter $(D howMany) instructs removal of that many elements. If $(D howMany > n), all elements are removed and no exception is thrown. Precondition: $(D !empty) Complexity: $(BIGOH log(n)). */ void removeBack() { enforce(_store._length); if (_store._length % bitsPerWord) { // Cool, just decrease the length --_store._length; } else { // Reduce the allocated space --_store._length; _store._backend.length = _store._backend.length - 1; } } /// ditto alias removeBack stableRemoveBack; /** Removes $(D howMany) values at the front or back of the container. Unlike the unparameterized versions above, these functions do not throw if they could not remove $(D howMany) elements. Instead, if $(D howMany > n), all elements are removed. The returned value is the effective number of elements removed. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of elements removed Complexity: $(BIGOH howMany * log(n)). */ /// ditto ulong removeBack(ulong howMany) { if (howMany >= length) { howMany = length; clear(); } else { length = length - howMany; } return howMany; } unittest { Array!bool a; a.length = 1057; assert(a.removeBack(1000) == 1000); assert(a.length == 57); foreach (e; a) { assert(!e); } } /** Inserts $(D stuff) before, after, or instead range $(D r), which must be a valid range previously extracted from this container. $(D stuff) can be a value convertible to $(D ElementType) or a range of objects convertible to $(D ElementType). The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: The number of values inserted. Complexity: $(BIGOH n + m), where $(D m) is the length of $(D stuff) */ ulong insertBefore(Stuff)(Range r, Stuff stuff) { // TODO: make this faster, it moves one bit at a time immutable inserted = stableInsertBack(stuff); immutable tailLength = length - inserted; bringToFront( this[r._a .. tailLength], this[tailLength .. length]); return inserted; } /// ditto alias insertBefore stableInsertBefore; unittest { Array!bool a; version (bugxxxx) { a._store.refCountedDebug = true; } a.insertBefore(a[], true); assert(a.length == 1, text(a.length)); a.insertBefore(a[], false); assert(a.length == 2, text(a.length)); } /// ditto ulong insertAfter(Stuff)(Range r, Stuff stuff) { // TODO: make this faster, it moves one bit at a time immutable inserted = stableInsertBack(stuff); immutable tailLength = length - inserted; bringToFront( this[r._b .. tailLength], this[tailLength .. length]); return inserted; } /// ditto alias insertAfter stableInsertAfter; unittest { Array!bool a; a.length = 10; a.insertAfter(a[0 .. 5], true); assert(a.length == 11, text(a.length)); assert(a[5]); } /// ditto size_t replace(Stuff)(Range r, Stuff stuff) if (is(Stuff : bool)) { if (!r.empty) { // There is room r.front = stuff; r.popFront(); linearRemove(r); } else { // No room, must insert insertBefore(r, stuff); } return 1; } /// ditto alias replace stableReplace; unittest { Array!bool a; a.length = 10; a.replace(a[3 .. 5], true); assert(a.length == 9, text(a.length)); assert(a[3]); } /** Removes all elements belonging to $(D r), which must be a range obtained originally from this container. The stable version behaves the same, but guarantees that ranges iterating over the container are never invalidated. Returns: A range spanning the remaining elements in the container that initially were right after $(D r). Complexity: $(BIGOH n) */ Range linearRemove(Range r) { copy(this[r._b .. length], this[r._a .. length]); length = length - r.length; return this[r._a .. length]; } /// ditto alias linearRemove stableLinearRemove; } unittest { Array!bool a; assert(a.empty); } /* * Implementation for a Red Black node for use in a Red Black Tree (see below) * * this implementation assumes we have a marker Node that is the parent of the * root Node. This marker Node is not a valid Node, but marks the end of the * collection. The root is the left child of the marker Node, so it is always * last in the collection. The marker Node is passed in to the setColor * function, and the Node which has this Node as its parent is assumed to be * the root Node. * * A Red Black tree should have O(lg(n)) insertion, removal, and search time. */ struct RBNode(V) { /* * Convenience alias */ alias RBNode* Node; private Node _left; private Node _right; private Node _parent; /** * The value held by this node */ V value; /** * Enumeration determining what color the node is. Null nodes are assumed * to be black. */ enum Color : byte { Red, Black } /** * The color of the node. */ Color color; /** * Get the left child */ @property Node left() { return _left; } /** * Get the right child */ @property Node right() { return _right; } /** * Get the parent */ @property Node parent() { return _parent; } /** * Set the left child. Also updates the new child's parent node. This * does not update the previous child. * * Returns newNode */ @property Node left(Node newNode) { _left = newNode; if(newNode !is null) newNode._parent = &this; return newNode; } /** * Set the right child. Also updates the new child's parent node. This * does not update the previous child. * * Returns newNode */ @property Node right(Node newNode) { _right = newNode; if(newNode !is null) newNode._parent = &this; return newNode; } // assume _left is not null // // performs rotate-right operation, where this is T, _right is R, _left is // L, _parent is P: // // P P // | -> | // T L // / \ / \ // L R a T // / \ / \ // a b b R // /** * Rotate right. This performs the following operations: * - The left child becomes the parent of this node. * - This node becomes the new parent's right child. * - The old right child of the new parent becomes the left child of this * node. */ Node rotateR() in { assert(_left !is null); } body { // sets _left._parent also if(isLeftNode) parent.left = _left; else parent.right = _left; Node tmp = _left._right; // sets _parent also _left.right = &this; // sets tmp._parent also left = tmp; return &this; } // assumes _right is non null // // performs rotate-left operation, where this is T, _right is R, _left is // L, _parent is P: // // P P // | -> | // T R // / \ / \ // L R T b // / \ / \ // a b L a // /** * Rotate left. This performs the following operations: * - The right child becomes the parent of this node. * - This node becomes the new parent's left child. * - The old left child of the new parent becomes the right child of this * node. */ Node rotateL() in { assert(_right !is null); } body { // sets _right._parent also if(isLeftNode) parent.left = _right; else parent.right = _right; Node tmp = _right._left; // sets _parent also _right.left = &this; // sets tmp._parent also right = tmp; return &this; } /** * Returns true if this node is a left child. * * Note that this should always return a value because the root has a * parent which is the marker node. */ @property bool isLeftNode() const in { assert(_parent !is null); } body { return _parent._left is &this; } /** * Set the color of the node after it is inserted. This performs an * update to the whole tree, possibly rotating nodes to keep the Red-Black * properties correct. This is an O(lg(n)) operation, where n is the * number of nodes in the tree. * * end is the marker node, which is the parent of the topmost valid node. */ void setColor(Node end) { // test against the marker node if(_parent !is end) { if(_parent.color == Color.Red) { Node cur = &this; while(true) { // because root is always black, _parent._parent always exists if(cur._parent.isLeftNode) { // parent is left node, y is 'uncle', could be null Node y = cur._parent._parent._right; if(y !is null && y.color == Color.Red) { cur._parent.color = Color.Black; y.color = Color.Black; cur = cur._parent._parent; if(cur._parent is end) { // root node cur.color = Color.Black; break; } else { // not root node cur.color = Color.Red; if(cur._parent.color == Color.Black) // satisfied, exit the loop break; } } else { if(!cur.isLeftNode) cur = cur._parent.rotateL(); cur._parent.color = Color.Black; cur = cur._parent._parent.rotateR(); cur.color = Color.Red; // tree should be satisfied now break; } } else { // parent is right node, y is 'uncle' Node y = cur._parent._parent._left; if(y !is null && y.color == Color.Red) { cur._parent.color = Color.Black; y.color = Color.Black; cur = cur._parent._parent; if(cur._parent is end) { // root node cur.color = Color.Black; break; } else { // not root node cur.color = Color.Red; if(cur._parent.color == Color.Black) // satisfied, exit the loop break; } } else { if(cur.isLeftNode) cur = cur._parent.rotateR(); cur._parent.color = Color.Black; cur = cur._parent._parent.rotateL(); cur.color = Color.Red; // tree should be satisfied now break; } } } } } else { // // this is the root node, color it black // color = Color.Black; } } /** * Remove this node from the tree. The 'end' node is used as the marker * which is root's parent. Note that this cannot be null! * * Returns the next highest valued node in the tree after this one, or end * if this was the highest-valued node. */ Node remove(Node end) { // // remove this node from the tree, fixing the color if necessary. // Node x; Node ret; if(_left is null || _right is null) { ret = next; } else { // // normally, we can just swap this node's and y's value, but // because an iterator could be pointing to y and we don't want to // disturb it, we swap this node and y's structure instead. This // can also be a benefit if the value of the tree is a large // struct, which takes a long time to copy. // Node yp, yl, yr; Node y = next; yp = y._parent; yl = y._left; yr = y._right; auto yc = y.color; auto isyleft = y.isLeftNode; // // replace y's structure with structure of this node. // if(isLeftNode) _parent.left = y; else _parent.right = y; // // need special case so y doesn't point back to itself // y.left = _left; if(_right is y) y.right = &this; else y.right = _right; y.color = color; // // replace this node's structure with structure of y. // left = yl; right = yr; if(_parent !is y) { if(isyleft) yp.left = &this; else yp.right = &this; } color = yc; // // set return value // ret = y; } // if this has less than 2 children, remove it if(_left !is null) x = _left; else x = _right; // remove this from the tree at the end of the procedure bool removeThis = false; if(x is null) { // pretend this is a null node, remove this on finishing x = &this; removeThis = true; } else if(isLeftNode) _parent.left = x; else _parent.right = x; // if the color of this is black, then it needs to be fixed if(color == color.Black) { // need to recolor the tree. while(x._parent !is end && x.color == Node.Color.Black) { if(x.isLeftNode) { // left node Node w = x._parent._right; if(w.color == Node.Color.Red) { w.color = Node.Color.Black; x._parent.color = Node.Color.Red; x._parent.rotateL(); w = x._parent._right; } Node wl = w.left; Node wr = w.right; if((wl is null || wl.color == Node.Color.Black) && (wr is null || wr.color == Node.Color.Black)) { w.color = Node.Color.Red; x = x._parent; } else { if(wr is null || wr.color == Node.Color.Black) { // wl cannot be null here wl.color = Node.Color.Black; w.color = Node.Color.Red; w.rotateR(); w = x._parent._right; } w.color = x._parent.color; x._parent.color = Node.Color.Black; w._right.color = Node.Color.Black; x._parent.rotateL(); x = end.left; // x = root } } else { // right node Node w = x._parent._left; if(w.color == Node.Color.Red) { w.color = Node.Color.Black; x._parent.color = Node.Color.Red; x._parent.rotateR(); w = x._parent._left; } Node wl = w.left; Node wr = w.right; if((wl is null || wl.color == Node.Color.Black) && (wr is null || wr.color == Node.Color.Black)) { w.color = Node.Color.Red; x = x._parent; } else { if(wl is null || wl.color == Node.Color.Black) { // wr cannot be null here wr.color = Node.Color.Black; w.color = Node.Color.Red; w.rotateL(); w = x._parent._left; } w.color = x._parent.color; x._parent.color = Node.Color.Black; w._left.color = Node.Color.Black; x._parent.rotateR(); x = end.left; // x = root } } } x.color = Node.Color.Black; } if(removeThis) { // // clear this node out of the tree // if(isLeftNode) _parent.left = null; else _parent.right = null; } return ret; } /** * Return the leftmost descendant of this node. */ @property Node leftmost() { Node result = &this; while(result._left !is null) result = result._left; return result; } /** * Return the rightmost descendant of this node */ @property Node rightmost() { Node result = &this; while(result._right !is null) result = result._right; return result; } /** * Returns the next valued node in the tree. * * You should never call this on the marker node, as it is assumed that * there is a valid next node. */ @property Node next() { Node n = &this; if(n.right is null) { while(!n.isLeftNode) n = n._parent; return n._parent; } else return n.right.leftmost; } /** * Returns the previous valued node in the tree. * * You should never call this on the leftmost node of the tree as it is * assumed that there is a valid previous node. */ @property Node prev() { Node n = &this; if(n.left is null) { while(n.isLeftNode) n = n._parent; return n._parent; } else return n.left.rightmost; } Node dup(scope Node delegate(V v) alloc) { // // duplicate this and all child nodes // // The recursion should be lg(n), so we shouldn't have to worry about // stack size. // Node copy = alloc(value); copy.color = color; if(_left !is null) copy.left = _left.dup(alloc); if(_right !is null) copy.right = _right.dup(alloc); return copy; } Node dup() { Node copy = new RBNode!V; copy.value = value; copy.color = color; if(_left !is null) copy.left = _left.dup(); if(_right !is null) copy.right = _right.dup(); return copy; } } /** * Implementation of a $(LUCKY red-black tree) container. * * All inserts, removes, searches, and any function in general has complexity * of $(BIGOH lg(n)). * * To use a different comparison than $(D "a < b"), pass a different operator string * that can be used by $(XREF functional, binaryFun), or pass in a * function, delegate, functor, or any type where $(D less(a, b)) results in a $(D bool) * value. * * Note that less should produce a strict ordering. That is, for two unequal * elements $(D a) and $(D b), $(D less(a, b) == !less(b, a)). $(D less(a, a)) should * always equal $(D false). * * If $(D allowDuplicates) is set to $(D true), then inserting the same element more than * once continues to add more elements. If it is $(D false), duplicate elements are * ignored on insertion. If duplicates are allowed, then new elements are * inserted after all existing duplicate elements. */ struct RedBlackTree(T, alias less = "a < b", bool allowDuplicates = false) if (is(typeof(less(T.init, T.init)) == bool) || is(typeof(less) == string)) { static if(is(typeof(less) == string)) alias binaryFun!(less) _less; else alias less _less; // BUG: this must come first in the struct due to issue 2810 // add an element to the tree, returns the node added, or the existing node // if it has already been added and allowDuplicates is false private auto _add(Elem n) { Node result; static if(!allowDuplicates) bool added = true; if(!_end.left) { _end.left = result = allocate(n); } else { Node newParent = _end.left; Node nxt = void; while(true) { if(_less(n, newParent.value)) { nxt = newParent.left; if(nxt is null) { // // add to right of new parent // newParent.left = result = allocate(n); break; } } else { static if(!allowDuplicates) { if(!_less(newParent.value, n)) { result = newParent; added = false; break; } } nxt = newParent.right; if(nxt is null) { // // add to right of new parent // newParent.right = result = allocate(n); break; } } newParent = nxt; } } static if(allowDuplicates) { result.setColor(_end); version(RBDoChecks) check(); return result; } else { if(added) result.setColor(_end); version(RBDoChecks) check(); return Tuple!(bool, "added", Node, "n")(added, result); } } version(unittest) { private enum doUnittest = isIntegral!T; bool arrayEqual(T[] arr) { if(walkLength(this[]) == arr.length) { foreach(v; arr) { if(!(v in this)) return false; } return true; } return false; } private static RedBlackTree create(Elem[] elems...) { return RedBlackTree(elems); } } else { private enum doUnittest = false; } /** * Element type for the tree */ alias T Elem; // used for convenience private alias RBNode!Elem.Node Node; private Node _end; private void _setup() { _end = allocate(); } static private Node allocate() { return new RBNode!Elem; } static private Node allocate(Elem v) { auto result = allocate(); result.value = v; return result; } /** * The range type for $(D RedBlackTree) */ struct Range { private Node _begin; private Node _end; private this(Node b, Node e) { _begin = b; _end = e; } /** * Returns $(D true) if the range is _empty */ @property bool empty() const { return _begin is _end; } /** * Returns the first element in the range */ @property Elem front() { return _begin.value; } /** * Returns the last element in the range */ @property Elem back() { return _end.prev.value; } /** * pop the front element from the range * * complexity: amortized $(BIGOH 1) */ void popFront() { _begin = _begin.next; } /** * pop the back element from the range * * complexity: amortized $(BIGOH 1) */ void popBack() { _end = _end.prev; } /** * Trivial _save implementation, needed for $(D isForwardRange). */ @property Range save() { return this; } } static if(doUnittest) unittest { auto ts = create(1, 2, 3, 4, 5); auto r = ts[]; assert(std.algorithm.equal(r, cast(T[])[1, 2, 3, 4, 5])); assert(r.front == 1); assert(r.back != r.front); auto oldfront = r.front; auto oldback = r.back; r.popFront(); r.popBack(); assert(r.front != r.back); assert(r.front != oldfront); assert(r.back != oldback); } // find a node based on an element value private Node _find(Elem e) { static if(allowDuplicates) { Node cur = _end.left; Node result = null; while(cur) { if(_less(cur.value, e)) cur = cur.right; else if(_less(e, cur.value)) cur = cur.left; else { // want to find the left-most element result = cur; cur = cur.left; } } return result; } else { Node cur = _end.left; while(cur) { if(_less(cur.value, e)) cur = cur.right; else if(_less(e, cur.value)) cur = cur.left; else return cur; } return null; } } /** * Check if any elements exist in the container. Returns $(D true) if at least * one element exists. */ @property bool empty() { return _end.left is null; } /** * Duplicate this container. The resulting container contains a shallow * copy of the elements. * * Complexity: $(BIGOH n) */ RedBlackTree dup() { RedBlackTree result; result._setup(); result._end = _end.dup(); return result; } static if(doUnittest) unittest { auto ts = create(1, 2, 3, 4, 5); auto ts2 = ts.dup(); assert(std.algorithm.equal(ts[], ts2[])); ts2.insert(cast(Elem)6); assert(!std.algorithm.equal(ts[], ts2[])); } /** * Fetch a range that spans all the elements in the container. * * Complexity: $(BIGOH log(n)) */ Range opSlice() { return Range(_end.leftmost, _end); } /** * The front element in the container * * Complexity: $(BIGOH log(n)) */ Elem front() { return _end.leftmost.value; } /** * The last element in the container * * Complexity: $(BIGOH log(n)) */ Elem back() { return _end.prev.value; } /** * Check to see if an element exists in the container * * Complexity: $(BIGOH log(n)) */ bool opBinaryRight(string op)(Elem e) if (op == "in") { return _find(e) !is null; } static if(doUnittest) unittest { auto ts = create(1, 2, 3, 4, 5); assert(cast(Elem)3 in ts); assert(cast(Elem)6 !in ts); } /** * Clear the container of all elements * * Complexity: $(BIGOH 1) */ void clear() { _end.left = null; } /** * Insert a single element in the container. Note that this does not * invalidate any ranges currently iterating the container. * * Complexity: $(BIGOH log(n)) */ size_t stableInsert(Stuff)(Stuff stuff) if (isImplicitlyConvertible!(Stuff, Elem)) { static if(allowDuplicates) { _add(stuff); return 1; } else { return(_add(stuff).added ? 1 : 0); } } /** * Insert a range of elements in the container. Note that this does not * invalidate any ranges currently iterating the container. * * Complexity: $(BIGOH m * log(n)) */ size_t stableInsert(Stuff)(Stuff stuff) if(isInputRange!Stuff && isImplicitlyConvertible!(ElementType!Stuff, Elem)) { size_t result = 0; static if(allowDuplicates) { foreach(e; stuff) { ++result; _add(e); } } else { foreach(e; stuff) { if(_add(e).added) ++result; } } return result; } /// ditto alias stableInsert insert; static if(doUnittest) unittest { auto ts = create(1,2,3,4,5); assert(ts.stableInsert(cast(Elem[])[6, 7, 8, 9, 10]) == 5); assert(ts.stableInsert(cast(Elem)11) == 1); assert(ts.arrayEqual([1,2,3,4,5,6,7,8,9,10,11])); } /** * Remove an element from the container and return its value. * * Complexity: $(BIGOH log(n)) */ Elem removeAny() { auto n = _end.leftmost; auto result = n.value; n.remove(_end); version(RBDoChecks) check(); return result; } static if(doUnittest) unittest { auto ts = create(1,2,3,4,5); auto x = ts.removeAny(); Elem[] arr; foreach(Elem i; 1..6) if(i != x) arr ~= i; assert(ts.arrayEqual(arr)); } /** * Remove the front element from the container. * * Complexity: $(BIGOH log(n)) */ void removeFront() { _end.leftmost.remove(_end); version(RBDoChecks) check(); } /** * Remove the back element from the container. * * Complexity: $(BIGOH log(n)) */ void removeBack() { _end.prev.remove(_end); version(RBDoChecks) check(); } static if(doUnittest) unittest { auto ts = create(1,2,3,4,5); ts.removeBack(); assert(ts.arrayEqual([1,2,3,4])); ts.removeFront(); assert(ts.arrayEqual([2,3,4])); } /** * Remove the given range from the container. Returns a range containing * all the elements that were after the given range. * * Complexity: $(BIGOH m * log(n)) */ Range remove(Range r) { auto b = r._begin; auto e = r._end; while(b !is e) { b = b.remove(_end); } version(RBDoChecks) check(); return Range(e, _end); } static if(doUnittest) unittest { auto ts = create(1,2,3,4,5); auto r = ts[]; r.popFront(); r.popBack(); auto r2 = ts.remove(r); assert(ts.arrayEqual([1,5])); assert(std.algorithm.equal(r2, [5])); } // find the first node where the value is > e private Node _firstGreater(Elem e) { // can't use _find, because we cannot return null auto cur = _end.left; auto result = _end; while(cur) { if(_less(e, cur.value)) { result = cur; cur = cur.left; } else cur = cur.right; } return result; } // find the first node where the value is >= e private Node _firstGreaterEqual(Elem e) { // can't use _find, because we cannot return null. auto cur = _end.left; auto result = _end; while(cur) { if(_less(cur.value, e)) cur = cur.right; else { result = cur; cur = cur.left; } } return result; } /** * Get a range from the container with all elements that are > e according * to the less comparator * * Complexity: $(BIGOH log(n)) */ Range upperBound(Elem e) { return Range(_firstGreater(e), _end); } /** * Get a range from the container with all elements that are < e according * to the less comparator * * Complexity: $(BIGOH log(n)) */ Range lowerBound(Elem e) { return Range(_end.leftmost, _firstGreaterEqual(e)); } /** * Get a range from the container with all elements that are == e according * to the less comparator * * Complexity: $(BIGOH log(n)) */ Range equalRange(Elem e) { auto beg = _firstGreaterEqual(e); if(beg is _end || _less(e, beg.value)) // no values are equal return Range(beg, beg); static if(allowDuplicates) { return Range(beg, _firstGreater(e)); } else { // no sense in doing a full search, no duplicates are allowed, // so we just get the next node. return Range(beg, beg.next); } } static if(doUnittest) unittest { auto ts = create(1, 2, 3, 4, 5); auto r1 = ts.lowerBound(3); assert(std.algorithm.equal(r1, [1,2])); auto r2 = ts.upperBound(3); assert(std.algorithm.equal(r2, [4,5])); auto r3 = ts.equalRange(3); assert(std.algorithm.equal(r3, [3])); } version(RBDoChecks) { /** * Print the tree. This prints a sideways view of the tree in ASCII form, * with the number of indentations representing the level of the nodes. * It does not print values, only the tree structure and color of nodes. */ void printTree(Node n, int indent = 0) { if(n !is null) { printTree(n.right, indent + 2); for(int i = 0; i < indent; i++) write("."); writeln(n.color == n.color.Black ? "B" : "R"); printTree(n.left, indent + 2); } else { for(int i = 0; i < indent; i++) write("."); writeln("N"); } if(indent is 0) writeln(); } /** * Check the tree for validity. This is called after every add or remove. * This should only be enabled to debug the implementation of the RB Tree. */ void check() { // // check implementation of the tree // int recurse(Node n, string path) { if(n is null) return 1; if(n.parent.left !is n && n.parent.right !is n) throw new Exception("Node at path " ~ path ~ " has inconsistent pointers"); Node next = n.next; static if(allowDuplicates) { if(next !is _end && _less(next.value, n.value)) throw new Exception("ordering invalid at path " ~ path); } else { if(next !is _end && !_less(n.value, next.value)) throw new Exception("ordering invalid at path " ~ path); } if(n.color == n.color.Red) { if((n.left !is null && n.left.color == n.color.Red) || (n.right !is null && n.right.color == n.color.Red)) throw new Exception("Node at path " ~ path ~ " is red with a red child"); } int l = recurse(n.left, path ~ "L"); int r = recurse(n.right, path ~ "R"); if(l != r) { writeln("bad tree at:"); printTree(n); throw new Exception("Node at path " ~ path ~ " has different number of black nodes on left and right paths"); } return l + (n.color == n.color.Black ? 1 : 0); } try { recurse(_end.left, ""); } catch(Exception e) { printTree(_end.left, 0); throw e; } } } /** * Constructor. Pass in an array of elements, or individual elements to * initialize the tree with. */ this(U)(U[] elems...) if (isImplicitlyConvertible!(U, Elem)) { _setup(); stableInsert(elems); } /** * Constructor. Pass in a range of elements to initialize the tree with. */ this(Stuff)(Stuff stuff) if (isInputRange!Stuff && isImplicitlyConvertible!(ElementType!Stuff, Elem) && !is(Stuff == Elem[])) { _setup(); stableInsert(stuff); } } unittest { RedBlackTree!uint rt1; RedBlackTree!int rt2; RedBlackTree!ushort rt3; RedBlackTree!short rt4; RedBlackTree!ubyte rt5; RedBlackTree!byte rt6; } version(unittest) struct UnittestMe { int a; } unittest { auto c = Array!UnittestMe(); }
D
# FIXED source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/source/f28004x_spi.c source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_device.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/assert.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/_ti_config.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/linkage.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/stdarg.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/sys/_types.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/sys/cdefs.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/machine/_types.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/stdbool.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/stddef.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/stdint.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/_stdint40.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/sys/stdint.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/machine/_stdint.h source/f28004x_spi.obj: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/sys/_stdint.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_adc.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_analogsubsys.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_cla.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_cla_prom_crc32.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_cmpss.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_cputimer.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_dac.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_dcsm.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_dma.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_ecap.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_epwm.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_epwm_xbar.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_eqep.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_erad.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_flash.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_fsi.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_gpio.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_i2c.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_input_xbar.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_memconfig.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_nmiintrupt.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_output_xbar.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_pga.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_piectrl.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_pievect.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_pmbus.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_sci.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_sdfm.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_spi.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_sysctrl.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_xbar.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_xint.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_can.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_dcc.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_lin.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_examples.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_globalprototypes.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_adc_defines.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_cputimervars.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_epwm_defines.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_gpio_defines.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_pie_defines.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_sysctrl_defines.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_dma_defines.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_cla_defines.h source/f28004x_spi.obj: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_defaultisr.h C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/source/f28004x_spi.c: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_device.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/assert.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/_ti_config.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/linkage.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/stdarg.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/sys/_types.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/sys/cdefs.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/machine/_types.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/stdbool.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/stddef.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/stdint.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/_stdint40.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/sys/stdint.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/machine/_stdint.h: C:/ti/ccs1000/ccs/tools/compiler/ti-cgt-c2000_20.2.2.LTS/include/sys/_stdint.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_adc.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_analogsubsys.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_cla.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_cla_prom_crc32.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_cmpss.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_cputimer.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_dac.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_dcsm.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_dma.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_ecap.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_epwm.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_epwm_xbar.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_eqep.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_erad.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_flash.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_fsi.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_gpio.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_i2c.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_input_xbar.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_memconfig.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_nmiintrupt.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_output_xbar.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_pga.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_piectrl.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_pievect.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_pmbus.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_sci.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_sdfm.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_spi.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_sysctrl.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_xbar.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_xint.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_can.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_dcc.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/headers/include/f28004x_lin.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_examples.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_globalprototypes.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_adc_defines.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_cputimervars.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_epwm_defines.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_gpio_defines.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_pie_defines.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_sysctrl_defines.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_dma_defines.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_cla_defines.h: C:/Users/STarikUser/Documents/F280049_Projects/DSP_280049_Common/f28004x/common/include/f28004x_defaultisr.h:
D
hold back to a later time
D
/** Product type package. */ module poet.product; public import poet.product.create_product; public import poet.product.type; public import poet.product.value;
D
// Written by Christopher E. Miller // See the included license.txt for copyright and license details. module dfl.internal.com; private import dfl.internal.winapi, dfl.internal.wincom, dfl.internal.dlib; version(DFL_TANGO_SEEK_COMPAT) { } else { version = DFL_TANGO_NO_SEEK_COMPAT; } // Importing dfl.application here causes the compiler to crash. //import dfl.application; private extern(C) { size_t C_refCountInc(void* p); size_t C_refCountDec(void* p); } // Won't be killed by GC if not referenced in D and the refcount is > 0. class DflComObject: ComObject // package { extern(Windows): override ULONG AddRef() { //cprintf("AddRef `%.*s`\n", cast(int)toString().length, toString().ptr); return cast(ULONG)C_refCountInc(cast(void*)this); } override UINT Release() { //cprintf("Release `%.*s`\n", cast(int)toString().length, toString().ptr); return cast(ULONG)C_refCountDec(cast(void*)this); } } class DStreamToIStream: DflComObject, dfl.internal.wincom.IStream { this(DStream sourceDStream) { this.stm = sourceDStream; } extern(Windows): override HRESULT QueryInterface(IID* riid, void** ppv) { if(*riid == _IID_IStream) { *ppv = cast(void*)cast(dfl.internal.wincom.IStream)this; AddRef(); return S_OK; } else if(*riid == _IID_ISequentialStream) { *ppv = cast(void*)cast(dfl.internal.wincom.ISequentialStream)this; AddRef(); return S_OK; } else if(*riid == _IID_IUnknown) { *ppv = cast(void*)cast(IUnknown)this; AddRef(); return S_OK; } else { *ppv = null; return E_NOINTERFACE; } } HRESULT Read(void* pv, ULONG cb, ULONG* pcbRead) { ULONG read; HRESULT result = S_OK; try { read = cast(ULONG)stm.readBlock(pv, cb); } catch(DStreamException e) { result = S_FALSE; // ? } if(pcbRead) *pcbRead = read; //if(!read) // result = S_FALSE; return result; } HRESULT Write(void* pv, ULONG cb, ULONG* pcbWritten) { ULONG written; HRESULT result = S_OK; try { if(!stm.writeable) return E_NOTIMPL; written = cast(ULONG)stm.writeBlock(pv, cb); } catch(DStreamException e) { result = S_FALSE; // ? } if(pcbWritten) *pcbWritten = written; //if(!written) // result = S_FALSE; return result; } version(DFL_TANGO_NO_SEEK_COMPAT) { } else { long _fakepos = 0; } HRESULT Seek(LARGE_INTEGER dlibMove, DWORD dwOrigin, ULARGE_INTEGER* plibNewPosition) { HRESULT result = S_OK; //cprintf("seek move=%u, origin=0x%x\n", cast(uint)dlibMove.QuadPart, dwOrigin); try { if(!stm.seekable) //return S_FALSE; // ? return E_NOTIMPL; // ? ulong pos; switch(dwOrigin) { case STREAM_SEEK_SET: pos = stm.seekSet(dlibMove.QuadPart); if(plibNewPosition) plibNewPosition.QuadPart = pos; break; case STREAM_SEEK_CUR: pos = stm.seekCur(dlibMove.QuadPart); if(plibNewPosition) plibNewPosition.QuadPart = pos; break; case STREAM_SEEK_END: pos = stm.seekEnd(dlibMove.QuadPart); if(plibNewPosition) plibNewPosition.QuadPart = pos; break; default: result = STG_E_INVALIDFUNCTION; } } catch(DStreamException e) { result = S_FALSE; // ? } return result; } HRESULT SetSize(ULARGE_INTEGER libNewSize) { return E_NOTIMPL; } HRESULT CopyTo(IStream pstm, ULARGE_INTEGER cb, ULARGE_INTEGER* pcbRead, ULARGE_INTEGER* pcbWritten) { // TODO: implement. return E_NOTIMPL; } HRESULT Commit(DWORD grfCommitFlags) { // Ignore -grfCommitFlags- and just flush the stream.. //stm.flush(); stm.flush(); return S_OK; // ? } HRESULT Revert() { return E_NOTIMPL; // ? S_FALSE ? } HRESULT LockRegion(ULARGE_INTEGER libOffset, ULARGE_INTEGER cb, DWORD dwLockType) { return E_NOTIMPL; } HRESULT UnlockRegion(ULARGE_INTEGER libOffset, ULARGE_INTEGER cb, DWORD dwLockType) { return E_NOTIMPL; } HRESULT Stat(STATSTG* pstatstg, DWORD grfStatFlag) { return E_NOTIMPL; // ? } HRESULT Clone(IStream* ppstm) { // Cloned stream needs its own seek position. return E_NOTIMPL; // ? } extern(D): private: DStream stm; } class MemoryIStream: DflComObject, dfl.internal.wincom.IStream { this(void[] memory) { this.mem = memory; } extern(Windows): override HRESULT QueryInterface(IID* riid, void** ppv) { if(*riid == _IID_IStream) { *ppv = cast(void*)cast(dfl.internal.wincom.IStream)this; AddRef(); return S_OK; } else if(*riid == _IID_ISequentialStream) { *ppv = cast(void*)cast(dfl.internal.wincom.ISequentialStream)this; AddRef(); return S_OK; } else if(*riid == _IID_IUnknown) { *ppv = cast(void*)cast(IUnknown)this; AddRef(); return S_OK; } else { *ppv = null; return E_NOINTERFACE; } } HRESULT Read(void* pv, ULONG cb, ULONG* pcbRead) { // Shouldn't happen unless the mem changes, which doesn't happen yet. if(seekpos > mem.length) return S_FALSE; // ? size_t count = mem.length - seekpos; if(count > cb) count = cb; pv[0 .. count] = mem[seekpos .. seekpos + count]; seekpos += count; if(pcbRead) *pcbRead = cast(ULONG)count; return S_OK; } HRESULT Write(void* pv, ULONG cb, ULONG* pcbWritten) { //return STG_E_ACCESSDENIED; return E_NOTIMPL; } HRESULT Seek(LARGE_INTEGER dlibMove, DWORD dwOrigin, ULARGE_INTEGER* plibNewPosition) { //cprintf("seek move=%u, origin=0x%x\n", cast(uint)dlibMove.QuadPart, dwOrigin); auto toPos = cast(long)dlibMove.QuadPart; switch(dwOrigin) { case STREAM_SEEK_SET: break; case STREAM_SEEK_CUR: toPos = cast(long)seekpos + toPos; break; case STREAM_SEEK_END: toPos = cast(long)mem.length - toPos; break; default: return STG_E_INVALIDFUNCTION; } if(withinbounds(toPos)) { seekpos = cast(size_t)toPos; if(plibNewPosition) plibNewPosition.QuadPart = seekpos; return S_OK; } else { return 0x80030005; //STG_E_ACCESSDENIED; // Seeking past end needs write access. } } HRESULT SetSize(ULARGE_INTEGER libNewSize) { return E_NOTIMPL; } HRESULT CopyTo(IStream pstm, ULARGE_INTEGER cb, ULARGE_INTEGER* pcbRead, ULARGE_INTEGER* pcbWritten) { // TODO: implement. return E_NOTIMPL; } HRESULT Commit(DWORD grfCommitFlags) { return S_OK; // ? } HRESULT Revert() { return E_NOTIMPL; // ? S_FALSE ? } HRESULT LockRegion(ULARGE_INTEGER libOffset, ULARGE_INTEGER cb, DWORD dwLockType) { return E_NOTIMPL; } HRESULT UnlockRegion(ULARGE_INTEGER libOffset, ULARGE_INTEGER cb, DWORD dwLockType) { return E_NOTIMPL; } HRESULT Stat(STATSTG* pstatstg, DWORD grfStatFlag) { return E_NOTIMPL; // ? } HRESULT Clone(IStream* ppstm) { // Cloned stream needs its own seek position. return E_NOTIMPL; // ? } extern(D): private: void[] mem; size_t seekpos = 0; bool withinbounds(long pos) { if(pos < seekpos.min || pos > seekpos.max) return false; // Note: it IS within bounds if it's AT the end, it just can't read there. return cast(size_t)pos <= mem.length; } }
D
/Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/Objects-normal/x86_64/Users+CoreDataProperties.o : /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SearchTextField.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/FoodNutrientFile.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/AppDelegate.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/YouFood+CoreDataModel.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/DynamicTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SelectRecipeTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/FavoriteTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/DateCollectionViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RatingController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeNavigationController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/AddViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeTableViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SelectRecipeTableViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/FavoriteTableViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/DetailedRecipeViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/LogInViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/MealPlanMainViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SelectRecipeNavigationViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SettingsViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDate+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanLunch+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDinner+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/Users+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanBreakfast+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeClasses.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/MealPlanClasses.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDate+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanLunch+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDinner+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/Users+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanBreakfast+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/CircularProgressView.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/os.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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.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/CoreLocation.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/AVFoundation.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/CoreAudio.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/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Photos.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/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseInstanceID/FirebaseInstanceID/FIRInstanceID.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseInstanceID/FirebaseInstanceID/FirebaseInstanceID.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRMutableData.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDProfileData.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageMetadata.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRUserMetadata.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRSnapshotMetadata.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDatabaseReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRCollectionReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRDocumentReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestoreSource.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorage.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FirebaseStorage.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRDocumentChange.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthAPNSTokenType.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDataEventType.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FirebaseCore.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestore.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FirebaseFirestore.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDatabase.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FirebaseDatabase.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthUIDelegate.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRAnalytics+AppDelegate.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFieldValue.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRServerValue.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRWriteBatch.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFieldPath.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuth.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FirebaseAuth.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageDownloadTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageUploadTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageObservableTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthCredential.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRPhoneAuthCredential.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRLoggerLevel.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignIn.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GoogleSignIn.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FirebaseAuthVersion.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDAuthentication.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRListenerRegistration.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRConfiguration.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRAnalyticsConfiguration.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRTransaction.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignInButton.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRUserInfo.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAdditionalUserInfo.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRTimestamp.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRApp.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIROAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRGitHubAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRGoogleAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRPhoneAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRFacebookAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIREmailAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRTwitterAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRUser.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDGoogleUser.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRAnalytics.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FirebaseAnalytics.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRParameterNames.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIREventNames.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRUserPropertyNames.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRActionCodeSettings.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestoreSettings.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthSettings.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIROptions.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestoreErrors.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthErrors.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageConstants.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthDataResult.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthTokenResult.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRTransactionResult.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRGeoPoint.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDataSnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageTaskSnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRDocumentSnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRQuerySnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRAnalyticsSwiftNameSupport.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRQuery.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDatabaseQuery.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/skwon2345/Downloads/YouFood-master/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Modules/module.modulemap /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/Objects-normal/x86_64/Users+CoreDataProperties~partial.swiftmodule : /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SearchTextField.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/FoodNutrientFile.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/AppDelegate.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/YouFood+CoreDataModel.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/DynamicTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SelectRecipeTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/FavoriteTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/DateCollectionViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RatingController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeNavigationController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/AddViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeTableViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SelectRecipeTableViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/FavoriteTableViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/DetailedRecipeViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/LogInViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/MealPlanMainViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SelectRecipeNavigationViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SettingsViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDate+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanLunch+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDinner+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/Users+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanBreakfast+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeClasses.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/MealPlanClasses.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDate+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanLunch+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDinner+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/Users+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanBreakfast+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/CircularProgressView.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/os.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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.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/CoreLocation.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/AVFoundation.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/CoreAudio.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/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Photos.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/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseInstanceID/FirebaseInstanceID/FIRInstanceID.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseInstanceID/FirebaseInstanceID/FirebaseInstanceID.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRMutableData.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDProfileData.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageMetadata.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRUserMetadata.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRSnapshotMetadata.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDatabaseReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRCollectionReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRDocumentReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestoreSource.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorage.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FirebaseStorage.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRDocumentChange.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthAPNSTokenType.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDataEventType.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FirebaseCore.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestore.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FirebaseFirestore.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDatabase.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FirebaseDatabase.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthUIDelegate.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRAnalytics+AppDelegate.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFieldValue.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRServerValue.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRWriteBatch.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFieldPath.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuth.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FirebaseAuth.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageDownloadTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageUploadTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageObservableTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthCredential.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRPhoneAuthCredential.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRLoggerLevel.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignIn.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GoogleSignIn.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FirebaseAuthVersion.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDAuthentication.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRListenerRegistration.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRConfiguration.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRAnalyticsConfiguration.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRTransaction.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignInButton.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRUserInfo.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAdditionalUserInfo.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRTimestamp.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRApp.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIROAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRGitHubAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRGoogleAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRPhoneAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRFacebookAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIREmailAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRTwitterAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRUser.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDGoogleUser.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRAnalytics.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FirebaseAnalytics.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRParameterNames.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIREventNames.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRUserPropertyNames.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRActionCodeSettings.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestoreSettings.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthSettings.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIROptions.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestoreErrors.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthErrors.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageConstants.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthDataResult.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthTokenResult.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRTransactionResult.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRGeoPoint.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDataSnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageTaskSnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRDocumentSnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRQuerySnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRAnalyticsSwiftNameSupport.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRQuery.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDatabaseQuery.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/skwon2345/Downloads/YouFood-master/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Modules/module.modulemap /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/Objects-normal/x86_64/Users+CoreDataProperties~partial.swiftdoc : /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SearchTextField.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/FoodNutrientFile.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/AppDelegate.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/YouFood+CoreDataModel.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/DynamicTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SelectRecipeTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/FavoriteTableViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/DateCollectionViewCell.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RatingController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeNavigationController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/AddViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeTableViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SelectRecipeTableViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/FavoriteTableViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/DetailedRecipeViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/LogInViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/MealPlanMainViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SelectRecipeNavigationViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/SettingsViewController.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDate+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanLunch+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDinner+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/Users+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanBreakfast+CoreDataProperties.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/RecipeClasses.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/MealPlanClasses.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDate+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanLunch+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanDinner+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/Users+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/build/YouFood.build/Debug-iphonesimulator/YouFood.build/DerivedSources/CoreDataGenerated/YouFood/MealPlanBreakfast+CoreDataClass.swift /Users/skwon2345/Desktop/YouFood-master_2/YouFood/CircularProgressView.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/os.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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.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/CoreLocation.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/AVFoundation.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/CoreAudio.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/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Photos.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/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseInstanceID/FirebaseInstanceID/FIRInstanceID.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseInstanceID/FirebaseInstanceID/FirebaseInstanceID.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRMutableData.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDProfileData.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageMetadata.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRUserMetadata.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRSnapshotMetadata.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDatabaseReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRCollectionReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRDocumentReference.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestoreSource.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorage.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FirebaseStorage.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRDocumentChange.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthAPNSTokenType.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDataEventType.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FirebaseCore.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestore.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FirebaseFirestore.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDatabase.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FirebaseDatabase.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthUIDelegate.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRAnalytics+AppDelegate.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFieldValue.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRServerValue.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRWriteBatch.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFieldPath.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuth.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FirebaseAuth.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageDownloadTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageUploadTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageObservableTask.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthCredential.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRPhoneAuthCredential.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRLoggerLevel.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignIn.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GoogleSignIn.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FirebaseAuthVersion.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDAuthentication.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRListenerRegistration.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRConfiguration.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRAnalyticsConfiguration.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRTransaction.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDSignInButton.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRUserInfo.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAdditionalUserInfo.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRTimestamp.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIRApp.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIROAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRGitHubAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRGoogleAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRPhoneAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRFacebookAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIREmailAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRTwitterAuthProvider.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRUser.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Headers/GIDGoogleUser.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRAnalytics.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FirebaseAnalytics.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRParameterNames.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIREventNames.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRUserPropertyNames.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRActionCodeSettings.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestoreSettings.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthSettings.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseCore/FIROptions.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRFirestoreErrors.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthErrors.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageConstants.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthDataResult.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAuth/FIRAuthTokenResult.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRTransactionResult.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRGeoPoint.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDataSnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseStorage/FIRStorageTaskSnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRDocumentSnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRQuerySnapshot.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseAnalytics/FirebaseAnalytics/FIRAnalyticsSwiftNameSupport.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseFirestore/FIRQuery.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Headers/Public/FirebaseDatabase/FIRDatabaseQuery.h /Users/skwon2345/Desktop/YouFood-master_2/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/skwon2345/Downloads/YouFood-master/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/skwon2345/Desktop/YouFood-master_2/Pods/GoogleSignIn/Frameworks/GoogleSignIn.framework/Modules/module.modulemap
D
the residue of partially burnt tobacco left caked in the bowl of a pipe after smoking
D
module servlib.http.response; /// Module d'inclusion du superModule responsemod public import servlib.http.responsemod.HttpResponse;
D
/Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/Command/CommandSignature.swift.o : /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/ANSI.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Command.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/GenerateAutocompleteCommand.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/AnyCommand.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/String+LevenshteinDistance.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Console.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleStyle.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandSignature.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Choose.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicatorState.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Flag.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Ask.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/Terminal.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/Console+Ephemeral.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Confirm.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Completion.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Option.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Console+Run.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandGroup.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/LoadingBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ProgressBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/Console+Clear.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/ConsoleClear.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/ConsoleLogger.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicatorRenderer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Center.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleColor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandError.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/ConsoleError.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicator.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Commands.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Utilities.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Wait.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleTextFragment.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Argument.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Input.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandInput.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Output.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleText.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandContext.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/readpassphrase_linux.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/CustomActivity.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP2.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_Vapor3.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHPACK.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/GraphQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CJWTKitBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FCM.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/BSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FineJSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWT.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOExtrasZlib.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Backtrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CBacktrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolConformance.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombine.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolType.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKittenCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketInfrastructure.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ApodiniDatabase.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtobufferCoding.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Casting.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineDispatch.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Apodini.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKitBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKitten.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTPCompression.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineFoundation.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SwifCron.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_MongoKittenCrypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CURLParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RichJSONParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CMultipartParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMySQLDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQLiteDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMongoDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentPostgresDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTVapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AssociatedTypeRequirementsVisitor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOExtras.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Jobs.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Metrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CoreMetrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTransportServices.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTestUtils.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Yams.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_NIO1APIShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Notifications.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COpenCombineHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ValuePointers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNSwift.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenAPIKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWTKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RoutingKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MultipartKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncHTTPClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/DNSClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTFluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CContext.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Meow.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/Command/CommandSignature~partial.swiftmodule : /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/ANSI.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Command.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/GenerateAutocompleteCommand.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/AnyCommand.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/String+LevenshteinDistance.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Console.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleStyle.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandSignature.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Choose.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicatorState.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Flag.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Ask.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/Terminal.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/Console+Ephemeral.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Confirm.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Completion.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Option.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Console+Run.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandGroup.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/LoadingBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ProgressBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/Console+Clear.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/ConsoleClear.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/ConsoleLogger.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicatorRenderer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Center.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleColor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandError.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/ConsoleError.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicator.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Commands.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Utilities.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Wait.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleTextFragment.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Argument.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Input.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandInput.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Output.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleText.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandContext.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/readpassphrase_linux.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/CustomActivity.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP2.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_Vapor3.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHPACK.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/GraphQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CJWTKitBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FCM.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/BSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FineJSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWT.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOExtrasZlib.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Backtrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CBacktrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolConformance.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombine.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolType.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKittenCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketInfrastructure.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ApodiniDatabase.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtobufferCoding.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Casting.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineDispatch.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Apodini.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKitBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKitten.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTPCompression.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineFoundation.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SwifCron.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_MongoKittenCrypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CURLParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RichJSONParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CMultipartParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMySQLDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQLiteDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMongoDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentPostgresDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTVapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AssociatedTypeRequirementsVisitor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOExtras.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Jobs.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Metrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CoreMetrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTransportServices.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTestUtils.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Yams.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_NIO1APIShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Notifications.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COpenCombineHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ValuePointers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNSwift.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenAPIKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWTKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RoutingKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MultipartKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncHTTPClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/DNSClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTFluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CContext.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Meow.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/Command/CommandSignature~partial.swiftdoc : /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/ANSI.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Command.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/GenerateAutocompleteCommand.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/AnyCommand.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/String+LevenshteinDistance.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Console.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleStyle.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandSignature.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Choose.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicatorState.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Flag.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Ask.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/Terminal.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/Console+Ephemeral.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Confirm.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Completion.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Option.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Console+Run.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandGroup.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/LoadingBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ProgressBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/Console+Clear.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/ConsoleClear.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/ConsoleLogger.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicatorRenderer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Center.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleColor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandError.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/ConsoleError.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicator.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Commands.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Utilities.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Wait.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleTextFragment.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Argument.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Input.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandInput.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Output.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleText.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandContext.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/readpassphrase_linux.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/CustomActivity.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP2.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_Vapor3.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHPACK.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/GraphQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CJWTKitBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FCM.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/BSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FineJSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWT.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOExtrasZlib.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Backtrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CBacktrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolConformance.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombine.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolType.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKittenCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketInfrastructure.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ApodiniDatabase.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtobufferCoding.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Casting.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineDispatch.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Apodini.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKitBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKitten.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTPCompression.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineFoundation.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SwifCron.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_MongoKittenCrypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CURLParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RichJSONParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CMultipartParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMySQLDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQLiteDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMongoDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentPostgresDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTVapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AssociatedTypeRequirementsVisitor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOExtras.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Jobs.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Metrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CoreMetrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTransportServices.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTestUtils.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Yams.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_NIO1APIShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Notifications.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COpenCombineHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ValuePointers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNSwift.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenAPIKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWTKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RoutingKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MultipartKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncHTTPClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/DNSClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTFluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CContext.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Meow.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/Command/CommandSignature~partial.swiftsourceinfo : /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/ANSI.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Command.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/GenerateAutocompleteCommand.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/AnyCommand.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/String+LevenshteinDistance.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Console.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleStyle.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandSignature.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Choose.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicatorState.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Flag.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Ask.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/Terminal.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/Console+Ephemeral.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Confirm.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Completion.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Option.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Console+Run.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandGroup.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/LoadingBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ProgressBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityBar.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/Console+Clear.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Clear/ConsoleClear.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/ConsoleLogger.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicatorRenderer.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Center.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleColor.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandError.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Utilities/ConsoleError.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/ActivityIndicator.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Commands.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Utilities.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Wait.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleTextFragment.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/Argument.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Input/Console+Input.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandInput.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/Console+Output.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Output/ConsoleText.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Command/CommandContext.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Terminal/readpassphrase_linux.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/checkouts/console-kit/Sources/ConsoleKit/Activity/CustomActivity.swift /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTP2.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_Vapor3.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHPACK.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/GraphQL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CJWTKitBoringSSL.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FCM.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/BSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FineJSON.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresNIO.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNS.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWT.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOExtrasZlib.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Backtrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CBacktrace.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolConformance.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Runtime.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombine.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtocolType.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKittenCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoCore.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketInfrastructure.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ApodiniDatabase.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ProtobufferCoding.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Casting.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineDispatch.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Apodini.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKitBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoKitten.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOHTTPCompression.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenCombineFoundation.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SwifCron.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_MongoKittenCrypto.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CURLParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RichJSONParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CMultipartParser.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMySQLDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentSQLiteDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentMongoDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentPostgresDriver.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTVapor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AssociatedTypeRequirementsVisitor.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOExtras.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Jobs.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Metrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CoreMetrics.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTransportServices.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOTestUtils.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Yams.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/_NIO1APIShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CCryptoBoringSSLShims.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Notifications.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/COpenCombineHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ValuePointers.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/APNSwift.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/OpenAPIKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MySQLKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/JWTKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/ConsoleKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/SQLiteKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/RoutingKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/PostgresKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/WebSocketKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/FluentKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MultipartKit.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/AsyncHTTPClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/DNSClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/MongoClient.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/XCTFluent.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CContext.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/Meow.build/module.modulemap /Users/sadikekinozbay/Documents/TUM/WS-2/Swift/Apodini-Example-Project/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
void main () { int i; for (i = 0; true; i = i + 1) { if (i % 2 == 0) continue; if (i == 21) break; Print(i); } i = 0; while (true) { i = i + 1; if (i%2 == 0) continue; if (i == 21) break; Print(i); } }
D
module distGraph.skeleton.Generate; import distGraph.mpiez.admin; public import distGraph.skeleton.Register; import std.traits; import std.algorithm; import std.conv; import distGraph.utils.Options; import distGraph.skeleton.Compose; private bool checkFunc (alias fun) () { isSkeletable!fun; alias a1 = ParameterTypeTuple! (fun); alias r1 = ReturnType!fun; static if (a1.length == 1) { static assert (is (a1[0] : ulong) && !is (r1 == void), "On a besoin de : T function (T, I : ulong) (I)"); } else { static assert (a1.length == 2 && is (a1[0] : ulong) && is (a1[1] : ulong) && !is (r1 == void), "On a besoin de : T function (T, I : ulong) (I)"); } return true; } /++ Squelette de génération d'un tableau Example: ----- auto tab = Generate!( (ulong i, ulong len) => i * len ) (100); auto tab2 = Generate! ((ulong i) => i) (100); ----- +/ template Generate (alias fun) { alias T = ReturnType!fun; alias I = ParameterTypeTuple!(fun) [0]; enum PARAMLENGTH = ParameterTypeTuple!(fun).length; static if (PARAMLENGTH == 2) { alias N = ParameterTypeTuple!(fun) [1]; } T generate (T : U [], U, I) (ulong begin, T array, U function (I) op) { import std.conv; foreach (i, it ; array) { array [i] = op (to!I (i + begin)); } return array; } T generate (T : U [], U, I, N) (ulong begin, ulong len, T array, U function (I, N) op) { import std.conv; foreach (i, it ; array) { array [i] = op (to!I (i + begin), to!N (len)); } return array; } /++ Génére un tableau sur le processur 0. Tout les processus de MPI_COMM_WORLD, doivent lancer se squelette. Params: len = la taille du tableau final Returns: un tableau de taille len si id == 0 ou [] +/ T [] Generate (int len) { auto info = Protocol.commInfo (MPI_COMM_WORLD); auto pos = computeLen (len, info.id, info.total); auto o = new T [pos.len]; T[] res; static if (PARAMLENGTH == 1) res = generate (pos.begin, o, cast (T function (I))(fun)); else res = generate (pos.begin, len, o, cast (T function (I, N))(fun)); T [] aux; gather (0, len, res, aux, MPI_COMM_WORLD); return aux; } } /++ Génération d'un tableau. Params: fun = un fonction soit (T function (ulong)) soit (T function (ulong, ulong)). Example: ----- auto tab = Generate!( (ulong i, ulong len) => i * len; ) (100); ----- +/ template GenerateS (alias fun) if (checkFunc!fun) { alias T = ReturnType!fun; alias I = ParameterTypeTuple!(fun) [0]; enum PARAMLENGTH = ParameterTypeTuple!(fun).length; static if (PARAMLENGTH == 2) { alias N = ParameterTypeTuple!(fun) [1]; } static this () { insertSkeleton ("#generateSlave", &generateSlave); static if (isFunctionPointer!fun) register.add (fullyQualifiedName!fun, fun); else register.add (fullyQualifiedName!fun, &fun); } class GenerateProto : Protocol { this (int id, int total) { super (id, total); this.res = new Message!(1, T []); } Message!(1, T []) res; } T generate (T : U [], U, I) (ulong begin, T array, U function (I) op) { import std.conv; foreach (i, it ; array) { array [i] = op (to!I (i + begin)); } return array; } T generate (T : U [], U, I, N) (ulong begin, ulong len, T array, U function (I, N) op) { import std.conv; foreach (i, it ; array) { array [i] = op (to!I (i + begin), to!N (len)); } return array; } /++ Un seul processus doit lancer cette fonction. Elle spawn des esclave qui génére le tableau. Params: len = la taille du tableau final; nb = le nombre d'esclave à créer. Returns: un tableau de taille len. +/ T [] Generate (ulong len, int nb = 2) { import std.math; auto name = fullyQualifiedName!fun; auto func = register.get(name); if (func is null) assert (false, "La fonction n'est pas référencé dans la liste des fonctions appelable par les squelettes"); nb = min (nb, len); auto proto = new GenerateProto (0, nb); auto slaveComm = proto.spawn!"#generateSlave" (nb, ["--name", name, "--len", to!string(len)]); T [] res; proto.res.receive (0, res, slaveComm); barrier (slaveComm); proto.disconnect (slaveComm); return res; } void generateSlave (int id, int total) { auto proto = new GenerateProto (id, total); auto comm = Protocol.parent (); auto len = to!int (Options ["--len"]); auto name = Options ["--name"]; auto func = register.get (name); if (func is null) assert (false, "La fonction n'est pas référencé dans la liste des fonctions appelable par les squelettes"); auto pos = computeLen (len, id, total); auto o = new T [pos.len]; T[] res; static if (PARAMLENGTH == 1) res = generate (pos.begin, o, cast (T function (I))(func)); else res = generate (pos.begin, len, o, cast (T function (I, N))(func)); T [] aux; gather (0, len, res, aux, MPI_COMM_WORLD); barrier (MPI_COMM_WORLD); if (id == 0) { proto.res.ssend (0, aux, comm); } barrier (comm); proto.disconnect (comm); } }
D
/** * This module defines the Scene class, TODO * */ module core.scene; import core, components, graphics, utility; import std.path; enum SceneName = "[scene]"; /** * The Scene contains a list of all objects that should be drawn at a given time. */ shared final class Scene { private: GameObject _root; package: GameObject[uint] objectById; uint[string] idByName; public: /// The camera to render with. Camera camera; /// The root object of the scene. mixin( Getter!_root ); this() { _root = new shared GameObject; _root.name = SceneName; _root.scene = this; } /** * Load all objects inside the specified folder in FilePath.Objects. * * Params: * objectPath = The folder location inside of /Objects to look for objects in. */ final void loadObjects( string objectPath = "" ) { foreach( yml; loadYamlDocuments( buildNormalizedPath( FilePath.Resources.Objects, objectPath ) ) ) { // Create the object _root.addChild( GameObject.createFromYaml( yml ) ); } } /** * Remove all objects from the collection. */ final void clear() { _root = new shared GameObject; } /** * Updates all objects in the scene. */ final void update() { _root.update(); } /** * Draws all objects in the scene. */ final void draw() { _root.draw(); } /** * Gets the object in the scene with the given name. * * Params: * name = The name of the object to look for. * * Returns: The object with the given name. */ final shared(GameObject) opIndex( string name ) { if( auto id = name in idByName ) return this[ *id ]; else return null; } /** * Gets the object in the scene with the given id. * * Params: * index = The id of the object to look for. * * Returns: The object with the given id. */ final shared(GameObject) opIndex( uint index ) { if( auto obj = index in objectById ) return *obj; else return null; } /** * Adds object to the children, adds it to the scene graph. * * Params: * newChild = The object to add. */ final void addChild( shared GameObject newChild ) { _root.addChild( newChild ); } /** * Removes the given object as a child from this scene. * * Params: * oldChild = The object to remove. */ final void removechild( shared GameObject oldChild ) { _root.removeChild( oldChild ); } /** * Gets all objects in the scene. * * Returns: All objects belonging to this scene. */ final @property shared(GameObject[]) objects() { return objectById.values; } }
D
the principles of right and wrong that are accepted by an individual or a social group a system of principles governing morality and acceptable conduct
D
/* This file is in public domain */ module framework.implementation.collections.graph; import framework.implementation.collections.array; class NoAssociatedTransitionException : Exception { this() { super("No associated transition"); } } class Graph(T) { class Node { class Transition { this( Condition condition, Node destination ) { __condition = condition; __destination = destination; } class Condition { abstract bool opCall( T input ); abstract bit opEqual( Condition c ); } bit opEqual( Transition t ) { return ((__condition == t.__condition ) && (__destination == t.__destination )); } Condition __condition; Node __destination; } alias Array!( Transition ) TransitionArray; alias Array!( Transition ).Iterator TransitionArrayIterator; TransitionArray __transitions; this() { __transitions = new Array!( Transition )(5); } void addTransition( Transition transition ) { __transitions.pushBackUnique( transition ); } void copyTransitions( Node n ) { __transitions.copy( n.__transitions ); } void appendTransitions( Node n ) { for( int a=0; a < n.__transitions.getSize(); ++a ) { addTransition( n.__transitions[a] ); } } Node getNext( T input ) { for( TransitionArrayIterator it = __transitions.begin(); it != __transitions.end(); ++it ) { if( it.value().__condition( input ) ) { return it.value().__destination; } } throw new NoAssociatedTransitionException(); } } Node getFirst() { return __first; } Node __first; }
D
var int heroisafighter; func void zs_arenaspectator() { occupiedperception(); Npc_PercEnable(self,PERC_ASSESSDEFEAT,b_as_assessdefeat); Npc_PercDisable(self,PERC_ASSESSFIGHTSOUND); AI_RemoveWeapon(self); if(Npc_IsOnFP(self,"STAND") && (Npc_GetDistToWP(self,self.wp) < 500)) { AI_AlignToFP(self); } else { AI_SetWalkMode(self,NPC_WALK); AI_GotoWP(self,self.wp); AI_AlignToWP(self); }; }; func void zs_arenaspectator_loop() { var int randomtime; var int shout; var int anim; if(!Npc_IsOnFP(self,"STAND") && Wld_IsFPAvailable(self,"STAND")) { AI_SetWalkMode(self,NPC_WALK); AI_GotoFP(self,"STAND"); }; Npc_PerceiveAll(self); if(Wld_DetectNpc(self,-1,zs_attack,-1)) { AI_TurnToNPC(self,other); shout = Hlp_Random(100); if(shout < 2) { AI_OutputSVM(self,NULL,"$HEYHEYHEY"); } else if(shout < 4) { if(self.voice == 3) { AI_OutputSVM(self,NULL,"$BEHINDYOU"); } else { AI_OutputSVM(self,NULL,"$CHEERFIGHT"); }; } else if(shout < 6) { AI_OutputSVM(self,NULL,"$CHEERFRIEND"); } else if(shout < 8) { AI_OutputSVM(self,NULL,"$OOH"); } else if(shout < 10) { AI_OutputSVM(self,NULL,"$THERESAFIGHT"); } else if(shout == 50) { if((self.voice == 10)) { AI_OutputSVM(self,NULL,"$HELP"); } else { AI_OutputSVM(self,NULL,"$YEAHWELLDONE"); }; }; anim = Hlp_Random(100); if(anim < 5) { AI_PlayAni(self,"T_WATCHFIGHTRANDOM1"); } else if(anim < 10) { AI_PlayAni(self,"T_WATCHFIGHTRANDOM2"); } else if(anim < 15) { AI_PlayAni(self,"T_WATCHFIGHTRANDOM3"); } else if(anim < 20) { AI_PlayAni(self,"T_WATCHFIGHTRANDOM4"); }; AI_Wait(self,0.5); }; }; func void zs_arenaspectator_end() { }; func void b_as_assessdefeat() { var int defeatshout; var int delay; defeatshout = Hlp_Random(6); delay = Hlp_Random(1000); AI_Waitms(self,delay); if((defeatshout == 1) && ((self.voice == 4) || (self.voice == 12))) { b_say(self,NULL,"$HEDEFEATEDHIM"); } else if((defeatshout == 2) && ((self.voice == 2) || (self.voice == 12))) { b_say(self,other,"$ITWASAGOODFIGHT"); } else if((defeatshout == 3) && (self.voice == 2)) { b_say(self,NULL,"$HEDEFEATEDHIM"); } else if((defeatshout == 4) && (self.voice == 1)) { b_say(self,other,"$ITWASAGOODFIGHT"); }; };
D
a riblike part of a plant or animal (such as a middle rib of a leaf or a thickened vein of an insect wing) any of the 12 pairs of curved arches of bone extending from the spine to or toward the sternum in humans (and similar bones in most vertebrates)
D
// Copyright Brian Schott (Hackerpilot) 2014. // 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 dscanner.analysis.config; import inifiled; /// Returns: A default configuration. StaticAnalysisConfig defaultStaticAnalysisConfig() { StaticAnalysisConfig config; return config; } /// Describes how a check is operated. enum Check: string { /// Check is disabled. disabled = "disabled", /// Check is enabled. enabled = "enabled", /// Check is enabled but not operated in the unittests. skipTests = "skip-unittest" } /// Applies the --skipTests switch, allowing to call Dscanner without config /// and less noise related to the unittests. void enabled2SkipTests(ref StaticAnalysisConfig config) { foreach (mem; __traits(allMembers, StaticAnalysisConfig)) { static if (is(typeof(__traits(getMember, StaticAnalysisConfig, mem)))) static if (is(typeof(__traits(getMember, config, mem)) == string)) { if (__traits(getMember, config, mem) == Check.enabled) __traits(getMember, config, mem) = Check.skipTests; } } } /// Returns a config with all the checks disabled. StaticAnalysisConfig disabledConfig() { StaticAnalysisConfig config; foreach (mem; __traits(allMembers, StaticAnalysisConfig)) { static if (is(typeof(__traits(getMember, StaticAnalysisConfig, mem)))) static if (is(typeof(__traits(getMember, config, mem)) == string)) __traits(getMember, config, mem) = Check.disabled; } return config; } @INI("Configure which static analysis checks are enabled", "analysis.config.StaticAnalysisConfig") struct StaticAnalysisConfig { @INI("Check variable, class, struct, interface, union, and function names against the Phobos style guide") string style_check = Check.enabled; @INI("Check for array literals that cause unnecessary allocation") string enum_array_literal_check = Check.enabled; @INI("Check for poor exception handling practices") string exception_check = Check.enabled; @INI("Check for use of the deprecated 'delete' keyword") string delete_check = Check.enabled; @INI("Check for use of the deprecated floating point operators") string float_operator_check = Check.enabled; @INI("Check number literals for readability") string number_style_check = Check.enabled; @INI("Checks that opEquals, opCmp, toHash, and toString are either const, immutable, or inout.") string object_const_check = Check.enabled; @INI("Checks for .. expressions where the left side is larger than the right.") string backwards_range_check = Check.enabled; @INI("Checks for if statements whose 'then' block is the same as the 'else' block") string if_else_same_check = Check.enabled; @INI("Checks for some problems with constructors") string constructor_check = Check.enabled; @INI("Checks for unused variables") string unused_variable_check = Check.enabled; @INI("Checks for unused labels") string unused_label_check = Check.enabled; @INI("Checks for unused function parameters") string unused_parameter_check = Check.enabled; @INI("Checks for duplicate attributes") string duplicate_attribute = Check.enabled; @INI("Checks that opEquals and toHash are both defined or neither are defined") string opequals_tohash_check = Check.enabled; @INI("Checks for subtraction from .length properties") string length_subtraction_check = Check.enabled; @INI("Checks for methods or properties whose names conflict with built-in properties") string builtin_property_names_check = Check.enabled; @INI("Checks for confusing code in inline asm statements") string asm_style_check = Check.enabled; @INI("Checks for confusing logical operator precedence") string logical_precedence_check = Check.enabled; @INI("Checks for undocumented public declarations") string undocumented_declaration_check = Check.enabled; @INI("Checks for poor placement of function attributes") string function_attribute_check = Check.enabled; @INI("Checks for use of the comma operator") string comma_expression_check = Check.enabled; @INI("Checks for local imports that are too broad. Only accurate when checking code used with D versions older than 2.071.0") string local_import_check = Check.disabled; @INI("Checks for variables that could be declared immutable") string could_be_immutable_check = Check.enabled; @INI("Checks for redundant expressions in if statements") string redundant_if_check = Check.enabled; @INI("Checks for redundant parenthesis") string redundant_parens_check = Check.enabled; @INI("Checks for mismatched argument and parameter names") string mismatched_args_check = Check.enabled; @INI("Checks for labels with the same name as variables") string label_var_same_name_check = Check.enabled; @INI("Checks for lines longer than `max_line_length` characters") string long_line_check = Check.enabled; @INI("The maximum line length used in `long_line_check`.") int max_line_length = 120; @INI("Checks for assignment to auto-ref function parameters") string auto_ref_assignment_check = Check.enabled; @INI("Checks for incorrect infinite range definitions") string incorrect_infinite_range_check = Check.enabled; @INI("Checks for asserts that are always true") string useless_assert_check = Check.enabled; @INI("Check for uses of the old-style alias syntax") string alias_syntax_check = Check.enabled; @INI("Checks for else if that should be else static if") string static_if_else_check = Check.enabled; @INI("Check for unclear lambda syntax") string lambda_return_check = Check.enabled; @INI("Check for auto function without return statement") string auto_function_check = Check.enabled; @INI("Check for sortedness of imports") string imports_sortedness = Check.disabled; @INI("Check for explicitly annotated unittests") string explicitly_annotated_unittests = Check.disabled; @INI("Check for properly documented public functions (Returns, Params)") string properly_documented_public_functions = Check.disabled; @INI("Check for useless usage of the final attribute") string final_attribute_check = Check.enabled; @INI("Check for virtual calls in the class constructors") string vcall_in_ctor = Check.enabled; @INI("Check for useless user defined initializers") string useless_initializer = Check.disabled; @INI("Check allman brace style") string allman_braces_check = Check.disabled; @INI("Check for redundant attributes") string redundant_attributes_check = Check.enabled; @INI("Check public declarations without a documented unittest") string has_public_example = Check.disabled; @INI("Check for asserts without an explanatory message") string assert_without_msg = Check.disabled; @INI("Check indent of if constraints") string if_constraints_indent = Check.disabled; @INI("Check for @trusted applied to a bigger scope than a single function") string trust_too_much = Check.enabled; @INI("Check for redundant storage classes on variable declarations") string redundant_storage_classes = Check.enabled; @INI("Check for unused function return values") string unused_result = Check.enabled; @INI("Module-specific filters") ModuleFilters filters; } private template ModuleFiltersMixin(A) { const string ModuleFiltersMixin = () { string s; foreach (mem; __traits(allMembers, StaticAnalysisConfig)) static if (is(typeof(__traits(getMember, StaticAnalysisConfig, mem)) == string)) s ~= `@INI("Exclude/Import modules") string[] ` ~ mem ~ ";\n"; return s; }(); } @INI("ModuleFilters for selectively enabling (+std) and disabling (-std.internal) individual checks", "analysis.config.ModuleFilters") struct ModuleFilters { mixin(ModuleFiltersMixin!int); }
D
/******************************************************************************* * Copyright (c) 2000, 2008 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 <[email protected]> *******************************************************************************/ module dwt.internal.cocoa.Protocol; import dwt.dwthelper.utils; import cocoa = dwt.internal.cocoa.id; import objc = dwt.internal.objc.runtime; public class Protocol : cocoa.id { public this() { super(); } public this(objc.id id) { super(id); } public this(cocoa.id id) { super(id); } }
D
/Users/jackwong/Desktop/Developer/MercaniStyleSample/Build/Intermediates.noindex/MercaniStyleSample.build/Debug-iphonesimulator/MercaniStyleSample.build/Objects-normal/x86_64/MenuCollectionProvider.o : /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/UIStoryboard+Instance.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/NSObject+ClassName.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/AppDelegate.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/VerticalCollectionViewCell.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/HorizontalCollectionViewCell.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/MenuCollectionViewCell.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/VerticalCollectionProvider.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/HorizontalCollectionProvider.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/MenuCollectionProvider.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/MenuViewController.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/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/jackwong/Desktop/Developer/MercaniStyleSample/Build/Intermediates.noindex/MercaniStyleSample.build/Debug-iphonesimulator/MercaniStyleSample.build/Objects-normal/x86_64/MenuCollectionProvider~partial.swiftmodule : /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/UIStoryboard+Instance.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/NSObject+ClassName.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/AppDelegate.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/VerticalCollectionViewCell.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/HorizontalCollectionViewCell.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/MenuCollectionViewCell.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/VerticalCollectionProvider.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/HorizontalCollectionProvider.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/MenuCollectionProvider.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/MenuViewController.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/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/jackwong/Desktop/Developer/MercaniStyleSample/Build/Intermediates.noindex/MercaniStyleSample.build/Debug-iphonesimulator/MercaniStyleSample.build/Objects-normal/x86_64/MenuCollectionProvider~partial.swiftdoc : /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/UIStoryboard+Instance.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/NSObject+ClassName.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/AppDelegate.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/VerticalCollectionViewCell.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/HorizontalCollectionViewCell.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/MenuCollectionViewCell.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/VerticalCollectionProvider.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/HorizontalCollectionProvider.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/MenuCollectionProvider.swift /Users/jackwong/Desktop/Developer/MercaniStyleSample/MercaniStyleSample/MenuViewController.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/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
/******************************************************************************* Push request protocol. Copyright: Copyright (c) 2016-2017 dunnhumby Germany GmbH. All rights reserved. License: Boost Software License Version 1.0. See LICENSE.txt for details. *******************************************************************************/ module dmqproto.node.neo.request.Push; import dmqproto.node.neo.request.core.RequestHandler; /******************************************************************************* v3 Push request protocol. *******************************************************************************/ public abstract class PushProtocol_v3: RequestHandler { import dmqproto.common.Push; import dmqproto.common.RequestCodes; import dmqproto.node.neo.request.core.IRequestResources; import swarm.neo.node.RequestOnConn; import swarm.neo.request.Command; import ocean.util.container.VoidBufferAsArrayOf; import ocean.meta.types.Qualifiers; /// Request name for stats tracking. Required by ConnectionHandler. static immutable string name = "push"; /// Request code / version. Required by ConnectionHandler. static immutable Command command = Command(RequestCode.Push, 3); /// Flag indicating whether timing stats should be gathered for requests of /// this type. static immutable bool timing = false; /// Flag indicating whether this request type is scheduled for removal. (If /// true, clients will be warned.) static immutable bool scheduled_for_removal = false; /*************************************************************************** Request handler. Params: connection = connection to client resources = request resources msg_payload = initial message read from client to begin the request (the request code and version are assumed to be extracted) ***************************************************************************/ override protected void handle ( RequestOnConn connection, IRequestResources resources, const(void)[] msg_payload ) { // Acquire a buffer to contain slices to the channel names in the // message payload (i.e. not a buffer of buffers, a buffer of slices) auto channel_names = VoidBufferAsArrayOf!(cstring)(resources.getVoidBuffer()); channel_names.length = *this.ed.message_parser.getValue!(ubyte)(msg_payload); foreach ( ref channel_name; channel_names.array ) { channel_name = this.ed.message_parser.getArray!(const(char))(msg_payload); } const(void)[] value; this.ed.message_parser.parseBody(msg_payload, value); if ( this.prepareChannels(resources, channel_names.array) ) { foreach ( channel_name; channel_names.array ) { this.pushToStorage(resources, channel_name, value); } this.ed.send( ( this.ed.Payload payload ) { payload.addCopy(RequestStatusCode.Pushed); } ); } else { this.ed.send( ( this.ed.Payload payload ) { payload.addCopy(RequestStatusCode.Error); } ); } } /*************************************************************************** Ensures that requested channels exist / can be created and can be written to. Params: resources = request resources acquirer channel_names = list of channel names to check Returns: "true" if all requested channels are available "false" otherwise ***************************************************************************/ abstract protected bool prepareChannels ( IRequestResources resources, in cstring[] channel_names ); /*************************************************************************** Push a record to the specified storage channel. Params: resources = request resources channel_name = channel to push to value = record value to push Returns: true if the record was pushed to the channel, false if it failed ***************************************************************************/ abstract protected bool pushToStorage ( IRequestResources resources, cstring channel_name, in void[] value ); }
D
/* apk_hash.h - Alpine Package Keeper (APK) * * Copyright (C) 2005-2008 Natanael Copa <[email protected]> * Copyright (C) 2008-2011 Timo Teräs <[email protected]> * All rights reserved. * * This program is free software; you can redistribute it and/or modify it * under the terms of the GNU General Public License version 2 as published * by the Free Software Foundation. See http://www.gnu.org/ for details. */ module deimos.apk_toolsd.apk_hash; import core.stdc.config; import deimos.apk_toolsd.apk_defines; import deimos.apk_toolsd.apk_blob; extern (C): nothrow: alias apk_hash_item = void*; alias apk_hash_f = extern (C) c_ulong function(apk_blob_t) nothrow; alias apk_hash_compare_f = extern (C) int function(apk_blob_t, apk_blob_t) nothrow; alias apk_hash_compare_item_f = extern (C) int function(apk_hash_item, apk_blob_t) nothrow; alias apk_hash_delete_f = extern (C) void function(apk_hash_item) nothrow; alias apk_hash_enumerator_f = extern (C) int function(apk_hash_item, void* ctx) nothrow; struct apk_hash_ops { ptrdiff_t node_offset; extern (C) apk_blob_t function(apk_hash_item item) nothrow get_key; extern (C) c_ulong function(apk_blob_t key) nothrow hash_key; extern (C) c_ulong function(apk_hash_item item) nothrow hash_item; extern (C) int function(apk_blob_t itemkey, apk_blob_t key) nothrow compare; extern (C) int function(apk_hash_item item, apk_blob_t key) nothrow compare_item; extern (C) void function(apk_hash_item item) nothrow delete_item; } alias apk_hash_node = hlist_node; struct apk_hash_array { @property hlist_head[] item() nothrow { return this.m_item.ptr[0 .. this.num]; } size_t num; hlist_head[0] m_item; } void apk_hash_array_init(apk_hash_array** a); void apk_hash_array_free(apk_hash_array** a); void apk_hash_array_resize(apk_hash_array** a, size_t size); void apk_hash_array_copy(apk_hash_array** a, apk_hash_array* b); hlist_head* apk_hash_array_add(apk_hash_array** a); struct apk_hash { const(apk_hash_ops)* ops; apk_hash_array* buckets; int num_items; } void apk_hash_init(apk_hash* h, const(apk_hash_ops)* ops, int num_buckets); void apk_hash_free(apk_hash* h); int apk_hash_foreach(apk_hash* h, apk_hash_enumerator_f e, void* ctx); apk_hash_item apk_hash_get_hashed(apk_hash* h, apk_blob_t key, c_ulong hash); void apk_hash_insert_hashed(apk_hash* h, apk_hash_item item, c_ulong hash); void apk_hash_delete_hashed(apk_hash* h, apk_blob_t key, c_ulong hash); c_ulong apk_hash_from_key(apk_hash* h, apk_blob_t key); c_ulong apk_hash_from_item(apk_hash* h, apk_hash_item item); apk_hash_item apk_hash_get(apk_hash* h, apk_blob_t key); void apk_hash_insert(apk_hash* h, apk_hash_item item); void apk_hash_delete(apk_hash* h, apk_blob_t key);
D
instance Org_871_Raeuber(Npc_Default) { name[0] = NAME_Raeuber; npcType = Npctype_ROGUE; guild = GIL_None; level = 12; voice = 7; id = 871; attribute[ATR_STRENGTH] = 60; attribute[ATR_DEXTERITY] = 30; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; attribute[ATR_HITPOINTS_MAX] = 184; attribute[ATR_HITPOINTS] = 184; Mdl_SetVisual(self,"HUMANS.MDS"); Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds"); Mdl_SetVisualBody(self,"hum_body_Naked0",0,1,"Hum_Head_Bald",37,2,org_armor_l); B_Scale(self); Mdl_SetModelFatness(self,0); fight_tactic = FAI_HUMAN_Strong; Npc_SetTalentSkill(self,NPC_TALENT_BOW,1); Npc_SetTalentSkill(self,NPC_TALENT_1H,1); CreateInvItems(self,ItKeLockpick,2); CreateInvItems(self,ItMiNugget,11); CreateInvItems(self,ItFoRice,6); CreateInvItems(self,ItFoBooze,1); CreateInvItems(self,ItLsTorch,2); CreateInvItems(self,ItFo_Potion_Health_01,1); CreateInvItem(self,ItMi_Stuff_Plate_01); CreateInvItem(self,ItMi_Stuff_Cup_01); CreateInvItem(self,ItFoLoaf); CreateInvItem(self,ItAt_Claws_01); EquipItem(self,ItMw_1H_Mace_03); EquipItem(self,ItRw_Bow_Long_01); CreateInvItems(self,ItAmArrow,20); daily_routine = Rtn_start_871; }; func void Rtn_start_871() { TA_StandAround(13,0,14,0,"LOCATION_11_13"); TA_StandAround(14,0,13,0,"LOCATION_11_13"); }; func void Rtn_OMFull_871() { TA_StandAround(13,0,14,0,"LOCATION_11_13"); TA_StandAround(14,0,13,0,"LOCATION_11_13"); }; func void Rtn_FMTaken_871() { TA_StandAround(13,0,14,0,"LOCATION_11_13"); TA_StandAround(14,0,13,0,"LOCATION_11_13"); }; func void Rtn_OrcAssault_871() { TA_StandAround(13,0,14,0,"LOCATION_11_13"); TA_StandAround(14,0,13,0,"LOCATION_11_13"); };
D
module android.java.android.view.Choreographer; public import android.java.android.view.Choreographer_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!Choreographer; import import0 = android.java.android.view.Choreographer; import import2 = android.java.java.lang.Class;
D
// This code has been mechanically translated from the original FORTRAN // code at http://netlib.org/quadpack. /** Authors: Lars Tandle Kyllingstad Copyright: Copyright (c) 2009, Lars T. Kyllingstad. All rights reserved. License: Boost License 1.0 */ module scid.ports.quadpack.qagie; import std.algorithm: max, min; import std.math: fabs; import scid.core.fortran; import scid.ports.quadpack.qk15i; import scid.ports.quadpack.qpsrt; import scid.ports.quadpack.qelg; /// void qagie(Real, Func)(Func f, Real bound, int inf, Real epsabs, Real epsrel, int limit, out Real result, out Real abserr, out int neval, out int ier, Real* alist_, Real* blist_, Real* rlist_, Real* elist_, int* iord_, out int last) { //***begin prologue dqagie //***date written 800101 (yymmdd) //***revision date 830518 (yymmdd) //***category no. h2a3a1,h2a4a1 //***keywords automatic integrator, infinite intervals, // general-purpose, transformation, extrapolation, // globally adaptive //***author piessens,robert,appl. math & progr. div - k.u.leuven // de doncker,elise,appl. math & progr. div - k.u.leuven //***purpose the routine calculates an approximation result to a given // integral i = integral of f over (bound,+infinity) // or i = integral of f over (-infinity,bound) // or i = integral of f over (-infinity,+infinity), // hopefully satisfying following claim for accuracy // abs(i-result).le.max(epsabs,epsrel*abs(i)) //***description // // integration over infinite intervals // standard fortran subroutine // // f - double precision // function subprogram defining the integrand // function f(x). the actual name for f needs to be // declared e x t e r n a l in the driver program. // // bound - double precision // finite bound of integration range // (has no meaning if interval is doubly-infinite) // // inf - double precision // indicating the kind of integration range involved // inf = 1 corresponds to (bound,+infinity), // inf = -1 to (-infinity,bound), // inf = 2 to (-infinity,+infinity). // // epsabs - double precision // absolute accuracy requested // epsrel - double precision // relative accuracy requested // if epsabs.le.0 // and epsrel.lt.max(50*rel.mach.acc.,0.5d-28), // the routine will end with ier = 6. // // limit - integer // gives an upper bound on the number of subintervals // in the partition of (a,b), limit.ge.1 // // on return // result - double precision // approximation to the integral // // abserr - double precision // estimate of the modulus of the absolute error, // which should equal or exceed abs(i-result) // // neval - integer // number of integrand evaluations // // ier - integer // ier = 0 normal and reliable termination of the // routine. it is assumed that the requested // accuracy has been achieved. // - ier.gt.0 abnormal termination of the routine. the // estimates for result and error are less // reliable. it is assumed that the requested // accuracy has not been achieved. // error messages // ier = 1 maximum number of subdivisions allowed // has been achieved. one can allow more // subdivisions by increasing the value of // limit (and taking the according dimension // adjustments into account). however,if // this yields no improvement it is advised // to analyze the integrand in order to // determine the integration difficulties. // if the position of a local difficulty can // be determined (e.g. singularity, // discontinuity within the interval) one // will probably gain from splitting up the // interval at this point and calling the // integrator on the subranges. if possible, // an appropriate special-purpose integrator // should be used, which is designed for // handling the type of difficulty involved. // = 2 the occurrence of roundoff error is // detected, which prevents the requested // tolerance from being achieved. // the error may be under-estimated. // = 3 extremely bad integrand behaviour occurs // at some points of the integration // interval. // = 4 the algorithm does not converge. // roundoff error is detected in the // extrapolation table. // it is assumed that the requested tolerance // cannot be achieved, and that the returned // result is the best which can be obtained. // = 5 the integral is probably divergent, or // slowly convergent. it must be noted that // divergence can occur with any other value // of ier. // = 6 the input is invalid, because // (epsabs.le.0 and // epsrel.lt.max(50*rel.mach.acc.,0.5d-28), // result, abserr, neval, last, rlist(1), // elist(1) and iord(1) are set to zero. // alist(1) and blist(1) are set to 0 // and 1 respectively. // // alist - double precision // vector of dimension at least limit, the first // last elements of which are the left // end points of the subintervals in the partition // of the transformed integration range (0,1). // // blist - double precision // vector of dimension at least limit, the first // last elements of which are the right // end points of the subintervals in the partition // of the transformed integration range (0,1). // // rlist - double precision // vector of dimension at least limit, the first // last elements of which are the integral // approximations on the subintervals // // elist - double precision // vector of dimension at least limit, the first // last elements of which are the moduli of the // absolute error estimates on the subintervals // // iord - integer // vector of dimension limit, the first k // elements of which are pointers to the // error estimates over the subintervals, // such that elist(iord(1)), ..., elist(iord(k)) // form a decreasing sequence, with k = last // if last.le.(limit/2+2), and k = limit+1-last // otherwise // // last - integer // number of subintervals actually produced // in the subdivision process // //***references (none) //***routines called d1mach,dqelg,dqk15i,dqpsrt //***end prologue dqagie Real abseps,area,area1,area12,area2,a1, a2,boun,b1,b2,correc,defabs,defab1,defab2, dres,epmach,erlarg,erlast, errbnd,errmax,error1,error2,erro12,errsum,ertest,oflow,resabs, reseps,small,uflow; Real[3] res3la_; Real[52] rlist2_; int id=1,ierro=1,iroff1=1,iroff2=1,iroff3=1,jupbnd=1,k=1,ksgn=1, ktmin=1,maxerr=1,nres=1,nrmax=1,numrl2=1; bool extrap,noext; // auto alist = dimension(alist_, limit); auto blist = dimension(blist_, limit); auto elist = dimension(elist_, limit); auto iord = dimension(iord_, limit); auto res3la = dimension(res3la_.ptr, 3); auto rlist = dimension(rlist_, limit); auto rlist2 = dimension(rlist2_.ptr, 52); // // the dimension of rlist2 is determined by the value of // limexp in subroutine dqelg. // // // list of major variables // ----------------------- // // alist - list of left end points of all subintervals // considered up to now // blist - list of right end points of all subintervals // considered up to now // rlist(i) - approximation to the integral over // (alist(i),blist(i)) // rlist2 - array of dimension at least (limexp+2), // containing the part of the epsilon table // wich is still needed for further computations // elist(i) - error estimate applying to rlist(i) // maxerr - pointer to the interval with largest error // estimate // errmax - elist(maxerr) // erlast - error on the interval currently subdivided // (before that subdivision has taken place) // area - sum of the integrals over the subintervals // errsum - sum of the errors over the subintervals // errbnd - requested accuracy max(epsabs,epsrel* // abs(result)) // *****1 - variable for the left subinterval // *****2 - variable for the right subinterval // last - index for subdivision // nres - number of calls to the extrapolation routine // numrl2 - number of elements currently in rlist2. if an // appropriate approximation to the compounded // integral has been obtained, it is put in // rlist2(numrl2) after numrl2 has been increased // by one. // small - length of the smallest interval considered up // to now, multiplied by 1.5 // erlarg - sum of the errors over the intervals larger // than the smallest interval considered up to now // extrap - logical variable denoting that the routine // is attempting to perform extrapolation. i.e. // before subdividing the smallest interval we // try to decrease the value of erlarg. // noext - logical variable denoting that extrapolation // is no longer allowed (true-value) // // machine dependent constants // --------------------------- // // epmach is the largest relative spacing. // uflow is the smallest positive magnitude. // oflow is the largest positive magnitude. // //***first executable statement dqagie epmach = Real.epsilon; // // test on validity of parameters // ----------------------------- // ier = 0; neval = 0; last = 0; result = 0.0; abserr = 0.0; alist[1] = 0.0; blist[1] = 0.1e1; rlist[1] = 0.0; elist[1] = 0.0; iord[1] = 0; if(epsabs <= 0.0 && epsrel < max(0.5e2*epmach,0.5e-28)) ier = 6; if(ier == 6) goto l999; // // // first approximation to the integral // ----------------------------------- // // determine the interval to be mapped onto (0,1). // if inf = 2 the integral is computed as i = i1+i2, where // i1 = integral of f over (-infinity,0), // i2 = integral of f over (0,+infinity). // boun = bound; if(inf == 2) boun = 0.0; qk15i!(Real, Func)(f,boun,inf,0.0,1.0,result,abserr, defabs,resabs); // // test on accuracy // last = 1; rlist[1] = result; elist[1] = abserr; iord[1] = 1; dres = fabs(result); errbnd = max(epsabs,epsrel*dres); if(abserr <= 1.0e2*epmach*defabs && abserr > errbnd) ier = 2; if(limit == 1) ier = 1; if(ier != 0 || (abserr <= errbnd && abserr != resabs) || abserr == 0.0) goto l130; // // initialization // -------------- // uflow = Real.min_normal; oflow = Real.max; rlist2[1] = result; errmax = abserr; maxerr = 1; area = result; errsum = abserr; abserr = oflow; nrmax = 1; nres = 0; ktmin = 0; numrl2 = 2; extrap = false; noext = false; ierro = 0; iroff1 = 0; iroff2 = 0; iroff3 = 0; ksgn = -1; if(dres >= (0.1e1-0.5e2*epmach)*defabs) ksgn = 1; // // main do-loop // ------------ // for (last=2; last<=limit; last++) { // end: 90 // // bisect the subinterval with nrmax-th largest error estimate. // a1 = alist[maxerr]; b1 = 0.5*(alist[maxerr]+blist[maxerr]); a2 = b1; b2 = blist[maxerr]; erlast = errmax; qk15i(f,boun,inf,a1,b1,area1,error1,resabs,defab1); qk15i(f,boun,inf,a2,b2,area2,error2,resabs,defab2); // // improve previous approximations to integral // and error and test for accuracy. // area12 = area1+area2; erro12 = error1+error2; errsum = errsum+erro12-errmax; area = area+area12-rlist[maxerr]; if(defab1 == error1 || defab2 == error2)goto l15; if(fabs(rlist[maxerr]-area12) > 0.1e-4*fabs(area12) || erro12 < 0.99*errmax) goto l10; if(extrap) iroff2 = iroff2+1; if(!extrap) iroff1 = iroff1+1; l10: if(last > 10 && erro12 > errmax) iroff3 = iroff3+1; l15: rlist[maxerr] = area1; rlist[last] = area2; errbnd = max(epsabs,epsrel*fabs(area)); // // test for roundoff error and eventually set error flag. // if(iroff1+iroff2 >= 10 || iroff3 >= 20) ier = 2; if(iroff2 >= 5) ierro = 3; // // set error flag in the case that the number of // subintervals equals limit. // if(last == limit) ier = 1; // // set error flag in the case of bad integrand behaviour // at some points of the integration range. // if(max(fabs(a1),fabs(b2)) <= (0.1e1+0.1e3*epmach)* (fabs(a2)+0.1e4*uflow)) ier = 4; // // append the newly-created intervals to the list. // if(error2 > error1) goto l20; alist[last] = a2; blist[maxerr] = b1; blist[last] = b2; elist[maxerr] = error1; elist[last] = error2; goto l30; l20: alist[maxerr] = a2; alist[last] = a1; blist[last] = b1; rlist[maxerr] = area2; rlist[last] = area1; elist[maxerr] = error2; elist[last] = error1; // // call subroutine dqpsrt to maintain the descending ordering // in the list of error estimates and select the subinterval // with nrmax-th largest error estimate (to be bisected next). // l30: qpsrt!Real(limit,last,maxerr,errmax,elist.ptr,iord.ptr,nrmax); if(errsum <= errbnd) goto l115; if(ier != 0) goto l100; if(last == 2) goto l80; if(noext) goto l90; erlarg = erlarg-erlast; if(fabs(b1-a1) > small) erlarg = erlarg+erro12; if(extrap) goto l40; // // test whether the interval to be bisected next is the // smallest interval. // if(fabs(blist[maxerr]-alist[maxerr]) > small) goto l90; extrap = true; nrmax = 2; l40: if(ierro == 3 || erlarg <= ertest) goto l60; // // the smallest interval has the largest error. // before bisecting decrease the sum of the errors over the // larger intervals (erlarg) and perform extrapolation. // id = nrmax; jupbnd = last; if(last > (2+limit/2)) jupbnd = limit+3-last; for(k=id; k<=jupbnd; k++) { // end: 50 maxerr = iord[nrmax]; errmax = elist[maxerr]; if(fabs(blist[maxerr]-alist[maxerr]) > small) goto l90; nrmax = nrmax+1; l50: ;} // // perform extrapolation. // l60: numrl2 = numrl2+1; rlist2[numrl2] = area; qelg!Real(numrl2,rlist2.ptr,reseps,abseps,res3la.ptr,nres); ktmin = ktmin+1; if(ktmin > 5 && abserr < 0.1e-2*errsum) ier = 5; if(abseps >= abserr) goto l70; ktmin = 0; abserr = abseps; result = reseps; correc = erlarg; ertest = max(epsabs,epsrel*fabs(reseps)); if(abserr <= ertest) goto l100; // // prepare bisection of the smallest interval. // l70: if(numrl2 == 1) noext = true; if(ier == 5) goto l100; maxerr = iord[1]; errmax = elist[maxerr]; nrmax = 1; extrap = false; small = small*0.5; erlarg = errsum; goto l90; l80: small = 0.375; erlarg = errsum; ertest = errbnd; rlist2[2] = area; l90: ;} // // set final result and error estimate. // ------------------------------------ // l100: if(abserr == oflow) goto l115; if((ier+ierro) == 0) goto l110; if(ierro == 3) abserr = abserr+correc; if(ier == 0) ier = 3; if(result != 0.0 && area != 0.0)goto l105; if(abserr > errsum)goto l115; if(area == 0.0) goto l130; goto l110; l105: if(abserr/fabs(result) > errsum/fabs(area))goto l115; // // test on divergence // l110: if(ksgn == (-1) && max(fabs(result),fabs(area)) <= defabs*0.1e-1) goto l130; if(0.1e-1 > (result/area) || (result/area) > 0.1e3 || errsum > fabs(area)) ier = 6; goto l130; // // compute global integral sum. // l115: result = 0.0; for (k=1; k<=last; k++) { // end: 120 result = result+rlist[k]; l120: ;} abserr = errsum; l130: neval = 30*last-15; if(inf == 2) neval = 2*neval; if(ier > 2) ier=ier-1; l999: return; } unittest { alias qagie!(float, float delegate(float)) fqagie; alias qagie!(double, double delegate(double)) dqagie; alias qagie!(double, double function(double)) dfqagie; alias qagie!(real, real delegate(real)) rqagie; }
D
module Structures.MapTile; public class MapTile { private ushort ID; private ushort Meta; public void SetID(ushort i) { ID=i; } public this(ushort id, ushort meta) { ID = id; Meta = meta; } public void SetMeta(ushort meta) { Meta=meta; } public ushort getID() { return ID; } public ushort getMeta() { return Meta; } public MapTile clone() { return new MapTile(ID,Meta); } }
D
#!/usr/bin/env dub /+ dub.sdl: name "snippet5" dependency "dwt" path="../../../../../../" version="*" libs \ "atk-1.0" \ "cairo" \ "dl" \ "fontconfig" \ "gdk-x11-2.0" \ "gdk_pixbuf-2.0" \ "gio-2.0" \ "glib-2.0" \ "gmodule-2.0" \ "gobject-2.0" \ "gthread-2.0" \ "gtk-x11-2.0" \ "pango-1.0" \ "pangocairo-1.0" \ "X11" \ "Xcomposite" \ "Xcursor" \ "Xdamage" \ "Xext" \ "Xfixes" \ "Xi" \ "Xinerama" \ "Xrandr" \ "Xrender" \ "Xtst" \ platform="linux" +/ /******************************************************************************* * Copyright (c) 2000, 2008 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 * D Port: * alice <[email protected]> *******************************************************************************/ module org.eclipse.swt.snippets.Snippet5; /* * ScrolledComposite example snippet: scroll a control in a scrolled composite * * For a list of all SWT example snippets see * http://www.eclipse.org/swt/snippets/ */ import org.eclipse.swt.all; import org.eclipse.swt.custom.all; import org.eclipse.swt.layout.all; import org.eclipse.swt.widgets.all; void main(string[] args) { Display display = new Display(); Shell shell = new Shell(display); shell.setLayout(new FillLayout()); // this button is always 400 x 400. Scrollbars appear if the window is resized to be // too small to show part of the button ScrolledComposite c1 = new ScrolledComposite(shell, SWT.BORDER | SWT.H_SCROLL | SWT.V_SCROLL); Button b1 = new Button(c1, SWT.PUSH); b1.setText("fixed size button"); b1.setSize(400, 400); c1.setContent(b1); // this button has a minimum size of 400 x 400. If the window is resized to be big // enough to show more than 400 x 400, the button will grow in size. If the window // is made too small to show 400 x 400, scrollbars will appear. ScrolledComposite c2 = new ScrolledComposite(shell, SWT.BORDER | SWT.H_SCROLL | SWT.V_SCROLL); Button b2 = new Button(c2, SWT.PUSH); b2.setText("expanding button"); c2.setContent(b2); c2.setExpandHorizontal(true); c2.setExpandVertical(true); c2.setMinSize(400, 400); shell.setSize(600, 300); shell.open(); while (!shell.isDisposed()) { if (!display.readAndDispatch()) display.sleep(); } display.dispose(); }
D
/* * Copyright (c) 2004-2006 Derelict Developers * All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * * Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * * Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * * * Neither the names 'Derelict', 'DerelictGL', nor the names of its contributors * may be used to endorse or promote products derived from this software * without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED * TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR * PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR * CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, * EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, * PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR * PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF * LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING * NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ module derelict.opengl.extension.arb.shader_objects; private { import derelict.opengl.gltypes; import derelict.opengl.gl; import derelict.opengl.extension.loader; import derelict.util.wrapper; } private bool enabled = false; struct ARBShaderObjects { static bool load(char[] extString) { if(extString.findStr("GL_ARB_shader_objects") == -1) return false; if(!glBindExtFunc(cast(void**)&glDeleteObjectARB, "glDeleteObjectARB")) return false; if(!glBindExtFunc(cast(void**)&glGetHandleARB, "glGetHandleARB")) return false; if(!glBindExtFunc(cast(void**)&glDetachObjectARB, "glDetachObjectARB")) return false; if(!glBindExtFunc(cast(void**)&glCreateShaderObjectARB, "glCreateShaderObjectARB")) return false; if(!glBindExtFunc(cast(void**)&glShaderSourceARB, "glShaderSourceARB")) return false; if(!glBindExtFunc(cast(void**)&glCompileShaderARB, "glCompileShaderARB")) return false; if(!glBindExtFunc(cast(void**)&glCreateProgramObjectARB, "glCreateProgramObjectARB")) return false; if(!glBindExtFunc(cast(void**)&glAttachObjectARB, "glAttachObjectARB")) return false; if(!glBindExtFunc(cast(void**)&glLinkProgramARB, "glLinkProgramARB")) return false; if(!glBindExtFunc(cast(void**)&glUseProgramObjectARB, "glUseProgramObjectARB")) return false; if(!glBindExtFunc(cast(void**)&glValidateProgramARB, "glValidateProgramARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform1fARB, "glUniform1fARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform2fARB, "glUniform2fARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform3fARB, "glUniform3fARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform4fARB, "glUniform4fARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform1iARB, "glUniform1iARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform2iARB, "glUniform2iARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform3iARB, "glUniform3iARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform4iARB, "glUniform4iARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform1fvARB, "glUniform1fvARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform2fvARB, "glUniform2fvARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform3fvARB, "glUniform3fvARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform4fvARB, "glUniform4fvARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform1ivARB, "glUniform1ivARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform2ivARB, "glUniform2ivARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform3ivARB, "glUniform3ivARB")) return false; if(!glBindExtFunc(cast(void**)&glUniform4ivARB, "glUniform4ivARB")) return false; if(!glBindExtFunc(cast(void**)&glUniformMatrix2fvARB, "glUniformMatrix2fvARB")) return false; if(!glBindExtFunc(cast(void**)&glUniformMatrix3fvARB, "glUniformMatrix3fvARB")) return false; if(!glBindExtFunc(cast(void**)&glUniformMatrix4fvARB, "glUniformMatrix4fvARB")) return false; if(!glBindExtFunc(cast(void**)&glGetObjectParameterfvARB, "glGetObjectParameterfvARB")) return false; if(!glBindExtFunc(cast(void**)&glGetObjectParameterivARB, "glGetObjectParameterivARB")) return false; if(!glBindExtFunc(cast(void**)&glGetInfoLogARB, "glGetInfoLogARB")) return false; if(!glBindExtFunc(cast(void**)&glGetAttachedObjectsARB, "glGetAttachedObjectsARB")) return false; if(!glBindExtFunc(cast(void**)&glGetUniformLocationARB, "glGetUniformLocationARB")) return false; if(!glBindExtFunc(cast(void**)&glGetActiveUniformARB, "glGetActiveUniformARB")) return false; if(!glBindExtFunc(cast(void**)&glGetUniformfvARB, "glGetUniformfvARB")) return false; if(!glBindExtFunc(cast(void**)&glGetUniformivARB, "glGetUniformivARB")) return false; if(!glBindExtFunc(cast(void**)&glGetShaderSourceARB, "glGetShaderSourceARB")) return false; enabled = true; return true; } static bool isEnabled() { return enabled; } } version(DerelictGL_NoExtensionLoaders) { } else { static this() { DerelictGL.registerExtensionLoader(&ARBShaderObjects.load); } } enum : GLenum { GL_PROGRAM_OBJECT_ARB = 0x8B40, GL_SHADER_OBJECT_ARB = 0x8B48, GL_OBJECT_TYPE_ARB = 0x8B4E, GL_OBJECT_SUBTYPE_ARB = 0x8B4F, GL_FLOAT_VEC2_ARB = 0x8B50, GL_FLOAT_VEC3_ARB = 0x8B51, GL_FLOAT_VEC4_ARB = 0x8B52, GL_INT_VEC2_ARB = 0x8B53, GL_INT_VEC3_ARB = 0x8B54, GL_INT_VEC4_ARB = 0x8B55, GL_BOOL_ARB = 0x8B56, GL_BOOL_VEC2_ARB = 0x8B57, GL_BOOL_VEC3_ARB = 0x8B58, GL_BOOL_VEC4_ARB = 0x8B59, GL_FLOAT_MAT2_ARB = 0x8B5A, GL_FLOAT_MAT3_ARB = 0x8B5B, GL_FLOAT_MAT4_ARB = 0x8B5C, GL_SAMPLER_1D_ARB = 0x8B5D, GL_SAMPLER_2D_ARB = 0x8B5E, GL_SAMPLER_3D_ARB = 0x8B5F, GL_SAMPLER_CUBE_ARB = 0x8B60, GL_SAMPLER_1D_SHADOW_ARB = 0x8B61, GL_SAMPLER_2D_SHADOW_ARB = 0x8B62, GL_SAMPLER_2D_RECT_ARB = 0x8B63, GL_SAMPLER_2D_RECT_SHADOW_ARB = 0x8B64, GL_OBJECT_DELETE_STATUS_ARB = 0x8B80, GL_OBJECT_COMPILE_STATUS_ARB = 0x8B81, GL_OBJECT_LINK_STATUS_ARB = 0x8B82, GL_OBJECT_VALIDATE_STATUS_ARB = 0x8B83, GL_OBJECT_INFO_LOG_LENGTH_ARB = 0x8B84, GL_OBJECT_ATTACHED_OBJECTS_ARB = 0x8B85, GL_OBJECT_ACTIVE_UNIFORMS_ARB = 0x8B86, GL_OBJECT_ACTIVE_UNIFORM_MAX_LENGTH_ARB = 0x8B87, GL_OBJECT_SHADER_SOURCE_LENGTH_ARB = 0x8B88, } alias char GLcharARB; alias uint GLhandleARB; extern(System): typedef void function(GLhandleARB) pfglDeleteObjectARB; typedef GLhandleARB function(GLenum) pfglGetHandleARB; typedef void function(GLhandleARB, GLhandleARB) pfglDetachObjectARB; typedef GLhandleARB function(GLenum) pfglCreateShaderObjectARB; typedef void function(GLhandleARB, GLsizei, GLcharARB**, GLint*) pfglShaderSourceARB; typedef void function(GLhandleARB) pfglCompileShaderARB; typedef GLhandleARB function() pfglCreateProgramObjectARB; typedef void function(GLhandleARB, GLhandleARB) pfglAttachObjectARB; typedef void function(GLhandleARB) pfglLinkProgramARB; typedef void function(GLhandleARB) pfglUseProgramObjectARB; typedef void function(GLhandleARB) pfglValidateProgramARB; typedef void function(GLint, GLfloat) pfglUniform1fARB; typedef void function(GLint, GLfloat, GLfloat) pfglUniform2fARB; typedef void function(GLint, GLfloat, GLfloat, GLfloat) pfglUniform3fARB; typedef void function(GLint, GLfloat, GLfloat, GLfloat, GLfloat) pfglUniform4fARB; typedef void function(GLint, GLint) pfglUniform1iARB; typedef void function(GLint, GLint, GLint) pfglUniform2iARB; typedef void function(GLint, GLint, GLint, GLint) pfglUniform3iARB; typedef void function(GLint, GLint, GLint, GLint, GLint) pfglUniform4iARB; typedef void function(GLint, GLsizei, GLfloat*) pfglUniform1fvARB; typedef void function(GLint, GLsizei, GLfloat*) pfglUniform2fvARB; typedef void function(GLint, GLsizei, GLfloat*) pfglUniform3fvARB; typedef void function(GLint, GLsizei, GLfloat*) pfglUniform4fvARB; typedef void function(GLint, GLsizei, GLint*) pfglUniform1ivARB; typedef void function(GLint, GLsizei, GLint*) pfglUniform2ivARB; typedef void function(GLint, GLsizei, GLint*) pfglUniform3ivARB; typedef void function(GLint, GLsizei, GLint*) pfglUniform4ivARB; typedef void function(GLint, GLsizei, GLboolean, GLfloat*) pfglUniformMatrix2fvARB; typedef void function(GLint, GLsizei, GLboolean, GLfloat*) pfglUniformMatrix3fvARB; typedef void function(GLint, GLsizei, GLboolean, GLfloat*) pfglUniformMatrix4fvARB; typedef void function(GLhandleARB, GLenum, GLfloat*) pfglGetObjectParameterfvARB; typedef void function(GLhandleARB, GLenum, GLint*) pfglGetObjectParameterivARB; typedef void function(GLhandleARB, GLsizei, GLsizei*, GLcharARB*) pfglGetInfoLogARB; typedef void function(GLhandleARB, GLsizei, GLsizei*, GLhandleARB*) pfglGetAttachedObjectsARB; typedef GLint function(GLhandleARB, GLcharARB*) pfglGetUniformLocationARB; typedef void function(GLhandleARB, GLuint, GLsizei, GLsizei*, GLint*, GLenum*, GLcharARB*) pfglGetActiveUniformARB; typedef void function(GLhandleARB, GLint, GLfloat*) pfglGetUniformfvARB; typedef void function(GLhandleARB, GLint, GLint*) pfglGetUniformivARB; typedef void function(GLhandleARB, GLsizei, GLsizei*, GLcharARB*) pfglGetShaderSourceARB; pfglDeleteObjectARB glDeleteObjectARB; pfglGetHandleARB glGetHandleARB; pfglDetachObjectARB glDetachObjectARB; pfglCreateShaderObjectARB glCreateShaderObjectARB; pfglShaderSourceARB glShaderSourceARB; pfglCompileShaderARB glCompileShaderARB; pfglCreateProgramObjectARB glCreateProgramObjectARB; pfglAttachObjectARB glAttachObjectARB; pfglLinkProgramARB glLinkProgramARB; pfglUseProgramObjectARB glUseProgramObjectARB; pfglValidateProgramARB glValidateProgramARB; pfglUniform1fARB glUniform1fARB; pfglUniform2fARB glUniform2fARB; pfglUniform3fARB glUniform3fARB; pfglUniform4fARB glUniform4fARB; pfglUniform1iARB glUniform1iARB; pfglUniform2iARB glUniform2iARB; pfglUniform3iARB glUniform3iARB; pfglUniform4iARB glUniform4iARB; pfglUniform1fvARB glUniform1fvARB; pfglUniform2fvARB glUniform2fvARB; pfglUniform3fvARB glUniform3fvARB; pfglUniform4fvARB glUniform4fvARB; pfglUniform1ivARB glUniform1ivARB; pfglUniform2ivARB glUniform2ivARB; pfglUniform3ivARB glUniform3ivARB; pfglUniform4ivARB glUniform4ivARB; pfglUniformMatrix2fvARB glUniformMatrix2fvARB; pfglUniformMatrix3fvARB glUniformMatrix3fvARB; pfglUniformMatrix4fvARB glUniformMatrix4fvARB; pfglGetObjectParameterfvARB glGetObjectParameterfvARB; pfglGetObjectParameterivARB glGetObjectParameterivARB; pfglGetInfoLogARB glGetInfoLogARB; pfglGetAttachedObjectsARB glGetAttachedObjectsARB; pfglGetUniformLocationARB glGetUniformLocationARB; pfglGetActiveUniformARB glGetActiveUniformARB; pfglGetUniformfvARB glGetUniformfvARB; pfglGetUniformivARB glGetUniformivARB; pfglGetShaderSourceARB glGetShaderSourceARB;
D
/Users/laurennicoleroth/Development/iOS/WeddingVenues/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlecrimCoreData.build/Objects-normal/x86_64/UICollectionViewExtensions.o : /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Enums/AlecrimCoreDataError.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Structs/Attribute.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/AttributeProtocol.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Structs/AttributeQuery.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/AttributeQueryProtocol.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/CoreDataQueryable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/CustomPersistentContainer.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/CustomPersistentStoreDescription.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/Enumerable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/FetchRequestController.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/FetchRequestControllerDelegate.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/GenericQueryable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/NativePersistentContainer.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSArrayControllerExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSCollectionViewExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSFetchedResultsControllerExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSManagedObjectContextExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSManagedObjectExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSPredicateExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/PersistentContainer.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/Queryable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Structs/Table.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/TableProtocol.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/UICollectionViewExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/UITableViewExtensions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/Target\ Support\ Files/AlecrimCoreData/AlecrimCoreData-umbrella.h /Users/laurennicoleroth/Development/iOS/WeddingVenues/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlecrimCoreData.build/unextended-module.modulemap /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/Foundation.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/Dispatch.swiftmodule /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/CoreGraphics.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/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Users/laurennicoleroth/Development/iOS/WeddingVenues/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlecrimCoreData.build/Objects-normal/x86_64/UICollectionViewExtensions~partial.swiftmodule : /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Enums/AlecrimCoreDataError.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Structs/Attribute.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/AttributeProtocol.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Structs/AttributeQuery.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/AttributeQueryProtocol.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/CoreDataQueryable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/CustomPersistentContainer.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/CustomPersistentStoreDescription.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/Enumerable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/FetchRequestController.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/FetchRequestControllerDelegate.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/GenericQueryable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/NativePersistentContainer.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSArrayControllerExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSCollectionViewExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSFetchedResultsControllerExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSManagedObjectContextExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSManagedObjectExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSPredicateExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/PersistentContainer.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/Queryable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Structs/Table.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/TableProtocol.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/UICollectionViewExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/UITableViewExtensions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/Target\ Support\ Files/AlecrimCoreData/AlecrimCoreData-umbrella.h /Users/laurennicoleroth/Development/iOS/WeddingVenues/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlecrimCoreData.build/unextended-module.modulemap /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/Foundation.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/Dispatch.swiftmodule /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/CoreGraphics.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/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Users/laurennicoleroth/Development/iOS/WeddingVenues/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlecrimCoreData.build/Objects-normal/x86_64/UICollectionViewExtensions~partial.swiftdoc : /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Enums/AlecrimCoreDataError.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Structs/Attribute.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/AttributeProtocol.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Structs/AttributeQuery.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/AttributeQueryProtocol.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/CoreDataQueryable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/CustomPersistentContainer.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/CustomPersistentStoreDescription.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/Enumerable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/FetchRequestController.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/FetchRequestControllerDelegate.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/GenericQueryable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/NativePersistentContainer.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSArrayControllerExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSCollectionViewExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSFetchedResultsControllerExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSManagedObjectContextExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSManagedObjectExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/NSPredicateExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Classes/PersistentContainer.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/Queryable.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Structs/Table.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Protocols/TableProtocol.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/UICollectionViewExtensions.swift /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/AlecrimCoreData/Source/AlecrimCoreData/Core/Extensions/UITableViewExtensions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/laurennicoleroth/Development/iOS/WeddingVenues/Pods/Target\ Support\ Files/AlecrimCoreData/AlecrimCoreData-umbrella.h /Users/laurennicoleroth/Development/iOS/WeddingVenues/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlecrimCoreData.build/unextended-module.modulemap /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/Foundation.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/Dispatch.swiftmodule /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/CoreGraphics.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/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule
D
/Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/AsMaybe.o : /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Deprecated.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Cancelable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObservableType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObserverType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Reactive.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/RecursiveLock.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Errors.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/AtomicInt.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Event.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/First.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Rx.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/Platform.Linux.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.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/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 /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/alloca.h /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/AsMaybe~partial.swiftmodule : /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Deprecated.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Cancelable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObservableType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObserverType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Reactive.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/RecursiveLock.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Errors.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/AtomicInt.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Event.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/First.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Rx.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/Platform.Linux.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.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/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 /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/alloca.h /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/AsMaybe~partial.swiftdoc : /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Deprecated.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Cancelable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObservableType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObserverType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Reactive.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/RecursiveLock.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Errors.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/AtomicInt.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Event.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/First.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Rx.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/Platform/Platform.Linux.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.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/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 /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/alloca.h /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/tagline13/Documents/Projects/IOS/Demo/RxSwift_DEMO/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.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/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.0.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
double fd(double x, double y) { return x+y; }
D
//----------------------------------------------------------------------------- // wxD - TipWindow.d // (C) 2005 bero <[email protected]> // based on // wx.NET - tipwin.h // /// The wxTipWindow wrapper class // // Licensed under the wxWidgets license, see LICENSE.txt for details. // // $Id: TipWindow.d,v 1.9 2006/11/17 15:21:01 afb Exp $ //----------------------------------------------------------------------------- module wx.TipWindow; public import wx.common; public import wx.Window; //! \cond EXTERN static extern (C) IntPtr wxTipWindow_ctor(IntPtr parent, string text, int maxLength, Rectangle* rectBound); //static extern (C) IntPtr wxTipWindow_ctorNoRect(IntPtr parent, string text, int maxLength); //static extern (C) void wxTipWindow_SetTipWindowPtr(IntPtr self, IntPtr wxTipWindow* windowPtr); static extern (C) void wxTipWindow_SetBoundingRect(IntPtr self, inout Rectangle rectBound); static extern (C) void wxTipWindow_Close(IntPtr self); //! \endcond //----------------------------------------------------------------------------- alias TipWindow wxTipWindow; public class TipWindow : Window { public this(IntPtr wxobj) { super(wxobj); } public this(Window parent, string text, int maxLength = 100) { this(wxTipWindow_ctor(wxObject.SafePtr(parent), text, maxLength,null)); } public this(Window parent, string text, int maxLength, Rectangle rectBound) { this(wxTipWindow_ctor(wxObject.SafePtr(parent), text, maxLength, &rectBound)); } //----------------------------------------------------------------------------- /*public void SetTipWindowPtr( TipWindow* windowPtr) { wxTipWindow_SetTipWindowPtr(wxobj, wxObject.SafePtr(TipWindow* windowPtr)); }*/ //----------------------------------------------------------------------------- public void BoundingRect(Rectangle value) { wxTipWindow_SetBoundingRect(wxobj, value); } }
D
/+ Copyright (c) 2005 Eric Anderton 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. +/ module ddl.insitu.InSituLibBinary; private import std.zlib; private import ddl.FileBuffer; private import ddl.DDLReader; private import ddl.DDLWriter; private import ddl.ExportSymbol; private import ddl.Utils; private import ddl.insitu.InSituBinary; private import mango.io.GrowBuffer; debug private import mango.io.Stdout; class InSituLibBinary : InSituBinary{ protected static const char[] magicString = "DDLSITU!"; protected static const uint InSituVersion = 0x00010001; protected static const uint BufferSize = 4096; ExportSymbol[char[]] allSymbols; public this(){ // do nothing } public ExportSymbol[char[]] getAllSymbols(){ return allSymbols; } public void setAllSymbols(ExportSymbol[char[]] newSymbols){ allSymbols = newSymbols; } public void load(FileBuffer file){ ubyte[] magic; uint fileVersion; uint symbolCount; void[] binaryData; DDLReader reader = new DDLReader(file); // read the magic reader.get(magic,8); reader.get(fileVersion); assert(magic == cast(ubyte[])magicString); assert(fileVersion == InSituVersion); // read symbol count reader.get(symbolCount); debug debugLog("%d symbols",symbolCount); // read compressed data area reader.getAll(binaryData); reader = new DDLReader(uncompress(binaryData)); debug debugLog("reading decompressed data"); // read symbols for(uint i=0; i<symbolCount; i++){ uint address; ExportSymbol sym; reader.get(address); reader.get(sym.name); sym.address = cast(void*)address; sym.type = SymbolType.Strong; allSymbols[sym.name] = sym; } } public void save(FileBuffer file,ubyte compressionLevel){ DDLWriter zipWriter = new DDLWriter(new GrowBuffer()); assert(compressionLevel <= 9); // write everything to the buffer foreach(ExportSymbol sym; allSymbols.values){ zipWriter.put(cast(uint)sym.address); zipWriter.put(sym.name); } // compress the data ubyte[] binaryData = cast(ubyte[])compress(zipWriter.getBuffer.toString,compressionLevel); // write the actual file DDLWriter writer = new DDLWriter(file); writer.getBuffer.append(cast(void[])magicString); writer.put(InSituVersion); writer.put(allSymbols.length); writer.getBuffer.append(cast(void[])binaryData); } } /+ InSituLibBinary ::= header compressedData header ::= magicString fileVersion symbolCount fileVersion ::= uint symbolCount ::= uint compressedData ::= zlib-compressed(data) data ::= symbol | symbol data symbol ::= address name newline address ::= uint newline ::= '\n' name ::= string string ::= length char(length) length ::= uint hexchar ::= [0-9] | [a-f] | [A-F] +/
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric; int[2][6] pt; void main() { foreach (i; 0..3) { auto ab = readln.split.to!(int[]); pt[i] = [ab[0], ab[1]]; pt[3+i] = [ab[1], ab[0]]; } foreach (i, a; pt) { foreach (j, b; pt) { foreach (k, c; pt) { if (i%3 == j%3 || j%3 == k%3 || k%3 == i%3) continue; if (a[1] == b[0] && b[1] == c[0]) { writeln("YES"); return; } } } } writeln("NO"); }
D
module windows.gamingdeviceinfo; public import windows.com; extern(Windows): enum GAMING_DEVICE_VENDOR_ID { GAMING_DEVICE_VENDOR_ID_NONE = 0, GAMING_DEVICE_VENDOR_ID_MICROSOFT = -1024700366, } enum GAMING_DEVICE_DEVICE_ID { GAMING_DEVICE_DEVICE_ID_NONE = 0, GAMING_DEVICE_DEVICE_ID_XBOX_ONE = 1988865574, GAMING_DEVICE_DEVICE_ID_XBOX_ONE_S = 712204761, GAMING_DEVICE_DEVICE_ID_XBOX_ONE_X = 1523980231, GAMING_DEVICE_DEVICE_ID_XBOX_ONE_X_DEVKIT = 284675555, } struct GAMING_DEVICE_MODEL_INFORMATION { GAMING_DEVICE_VENDOR_ID vendorId; GAMING_DEVICE_DEVICE_ID deviceId; } @DllImport("api-ms-win-gaming-deviceinformation-l1-1-0.dll") HRESULT GetGamingDeviceModelInformation(GAMING_DEVICE_MODEL_INFORMATION* information);
D
/Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/EventMonitor.o : /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartFormData.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartUpload.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AlamofireExtended.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Protected.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPMethod.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Combine.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Result+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Response.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/SessionDelegate.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoding.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Session.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Validation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ResponseSerialization.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestTaskMap.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RedirectHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AFError.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/EventMonitor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Notifications.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPHeaders.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Request.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/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/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/EventMonitor~partial.swiftmodule : /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartFormData.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartUpload.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AlamofireExtended.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Protected.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPMethod.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Combine.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Result+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Response.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/SessionDelegate.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoding.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Session.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Validation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ResponseSerialization.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestTaskMap.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RedirectHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AFError.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/EventMonitor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Notifications.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPHeaders.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Request.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/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/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/EventMonitor~partial.swiftdoc : /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartFormData.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartUpload.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AlamofireExtended.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Protected.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPMethod.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Combine.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Result+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Response.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/SessionDelegate.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoding.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Session.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Validation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ResponseSerialization.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestTaskMap.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RedirectHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AFError.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/EventMonitor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Notifications.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPHeaders.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Request.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/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/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/EventMonitor~partial.swiftsourceinfo : /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartFormData.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/MultipartUpload.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AlamofireExtended.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Protected.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPMethod.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLConvertible+URLRequestConvertible.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Combine.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/OperationQueue+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/StringEncoding+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLSessionConfiguration+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Result+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLRequest+Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Alamofire.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Response.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/SessionDelegate.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoding.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Session.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Validation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ServerTrustEvaluation.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ResponseSerialization.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestTaskMap.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/URLEncodedFormEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/ParameterEncoder.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/CachedResponseHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RedirectHandler.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AFError.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/EventMonitor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/AuthenticationInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/RequestInterceptor.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Notifications.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/HTTPHeaders.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Alamofire/Source/Request.swift /Users/lincolnnguyen/Downloads/yelpy_starter_1/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/lincolnnguyen/Downloads/yelpy_starter_1/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/dyld.modulemap /Users/lincolnnguyen/Downloads/yelpy_starter_1/DerivedData/Yelpy/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.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.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator14.4.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
import std.stdio; import core.sys.windows.windows; import core.thread; import core.runtime; import std.concurrency; import game; import triggerbot; import bunnyhop; import esp; void initialize() { Game game = new Game(); writeln( "Welcome back, Chairman Mao." ); // If you try to add a fourth thread in the same fashion, you will need // to rework how you're spawning the threads. new Thread(() { new Triggerbot( game ).run(); }).start(); new Thread(() { new Bunnyhop( game ).run(); }).start(); new Thread(() { new Esp( game ).run(); }).start(); } extern ( Windows ) BOOL DllMain(HINSTANCE module_, uint reason, void*) { if ( reason == DLL_PROCESS_ATTACH ) { Runtime.initialize; AllocConsole(); freopen( "CON", "w", stdout.getFP ); initialize(); } else if ( reason == DLL_PROCESS_DETACH ) { MessageBoxA( null, "Ejected", ":O", MB_OK ); Runtime.terminate; } return true; }
D
import std.stdio; extern (C++) void print_hello(int i) { writefln("Hello. Here is a number printed with D: %d", i); }
D
/* Copyright © 2020, Luna Nielsen Distributed under the 2-Clause BSD License, see LICENSE file. Authors: Luna Nielsen */ module engine.input.mouse; import engine.input; import bindbc.sdl; import gl3n.linalg; /** The buttons on a mouse */ enum MouseButton { Left = SDL_BUTTON_LMASK , Middle = SDL_BUTTON_MMASK, Right = SDL_BUTTON_RMASK, X1 = SDL_BUTTON_X1MASK, X2 = SDL_BUTTON_X2MASK } /** The state of the mouse */ struct MouseState { private: int btnMask; public: /** Position of the mouse, z is scroll */ vec3 position; /** Initialize this mouse state */ this(vec3 pos, int btnMask) { this.position = pos; this.btnMask = btnMask; } /** Gets whether a mouse button is pressed */ bool isButtonPressed(MouseButton button) { return (btnMask & button) > 0; } /** Gets whether a mouse button is released */ bool isButtonReleased(MouseButton button) { return !((btnMask & button) > 0); } } /** Mouse */ class Mouse { private static: vec2i lastPos; public static: MouseState* getState() { // Get mouse state int* x, y; immutable(int) mask = SDL_GetMouseState(x, y); // Fallback to last position if needed if (x is null) x = &lastPos.vector[0]; if (y is null) y = &lastPos.vector[1]; // Set position lastPos = vec2i(*x, *y); // TODO: Get scroll from events float scroll = 0; return new MouseState(vec3(*x, *y, scroll), mask); } /** Position of the cursor */ static vec2 position() { // Get mouse state int* x, y; SDL_GetMouseState(x, y); // Fallback to last position if needed if (x is null) x = &lastPos.vector[0]; if (y is null) y = &lastPos.vector[1]; lastPos = vec2i(*x, *y); return vec2(*x, *y); } }
D
module aurora.directx.dxgi; public import aurora.directx.dxgi.dxgi; public import aurora.directx.dxgi.dxgi1_2; public import aurora.directx.dxgi.dxgi1_3; public import aurora.directx.dxgi.dxgi1_4; public import aurora.directx.dxgi.dxgi1_5; public import aurora.directx.dxgi.dxgi1_6; public import aurora.directx.dxgi.dxgicommon; public import aurora.directx.dxgi.dxgiformat; public import aurora.directx.dxgi.dxgitype;
D
/Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/CoreML_test.build/Debug-iphonesimulator/CoreML_test.build/Objects-normal/x86_64/NetworkDIPart.o : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/CoreML_test.build/Debug-iphonesimulator/CoreML_test.build/DerivedSources/CoreMLGenerated/Inceptionv3/Inceptionv3.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/CoreML_test.build/Debug-iphonesimulator/CoreML_test.build/DerivedSources/CoreMLGenerated/Alphanum_28x28/Alphanum_28x28.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Data/New\ Group/TranslatedData.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Services/TranslationService.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/AppDelegate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapAnnotation/Artwork.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Common/Views/KerningLabel.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Extension/HTTPURLResponseExtension.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Services/Providers/\ TranslationProvider.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/ViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Data/New\ Group/ApiError.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Common/TranslationApiError.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/Utils/ImageUtils.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Extension/UIViewController\ Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/AlertControllers/AlertControllerFunctions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/DI/NetworkDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/DI/AppDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapViews/ArtworkView.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/CustomView/PreviewView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Modules/CodableAlamofire.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Modules/RxAlamofire.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Modules/SwiftHash.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Modules/ObjectMapper.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Modules/Localize_Swift.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/RxSwift.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Modules/DITranquillity.swiftmodule/x86_64.swiftmodule /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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.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/Vision.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.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/AVFoundation.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/CoreAudio.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/Contacts.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/MapKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVProgressHUD.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/TesseractOCR.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVProgressHUD-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/TesseractOCRiOS-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Headers/CodableAlamofire-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Headers/RxAlamofire-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Headers/SwiftHash-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Headers/ObjectMapper-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Headers/Localize-Swift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DITranquillity-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Headers/CodableAlamofire.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DIStoryboardBase.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8TesseractDelegate.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8RecognizedBlock.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8RecognitionOperation.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Tesseract/CoreML_test-Bridging-Header.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVRadialGradientLayer.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8TesseractParameters.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/UIImage+G8Filters.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8Constants.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8Tesseract.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Headers/CodableAlamofire-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Headers/RxAlamofire-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Headers/SwiftHash-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Headers/ObjectMapper-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Headers/Localize_Swift-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DITranquillity-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Headers/Localize_Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVIndefiniteAnimatedView.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVProgressAnimatedView.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DITranquillity.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/CoreML.framework/Headers/CoreML.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/Vision.framework/Headers/Vision.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/Contacts.framework/Headers/Contacts.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MapKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/CoreML_test.build/Debug-iphonesimulator/CoreML_test.build/Objects-normal/x86_64/NetworkDIPart~partial.swiftmodule : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/CoreML_test.build/Debug-iphonesimulator/CoreML_test.build/DerivedSources/CoreMLGenerated/Inceptionv3/Inceptionv3.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/CoreML_test.build/Debug-iphonesimulator/CoreML_test.build/DerivedSources/CoreMLGenerated/Alphanum_28x28/Alphanum_28x28.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Data/New\ Group/TranslatedData.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Services/TranslationService.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/AppDelegate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapAnnotation/Artwork.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Common/Views/KerningLabel.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Extension/HTTPURLResponseExtension.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Services/Providers/\ TranslationProvider.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/ViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Data/New\ Group/ApiError.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Common/TranslationApiError.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/Utils/ImageUtils.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Extension/UIViewController\ Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/AlertControllers/AlertControllerFunctions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/DI/NetworkDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/DI/AppDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapViews/ArtworkView.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/CustomView/PreviewView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Modules/CodableAlamofire.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Modules/RxAlamofire.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Modules/SwiftHash.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Modules/ObjectMapper.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Modules/Localize_Swift.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/RxSwift.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Modules/DITranquillity.swiftmodule/x86_64.swiftmodule /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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.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/Vision.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.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/AVFoundation.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/CoreAudio.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/Contacts.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/MapKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVProgressHUD.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/TesseractOCR.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVProgressHUD-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/TesseractOCRiOS-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Headers/CodableAlamofire-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Headers/RxAlamofire-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Headers/SwiftHash-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Headers/ObjectMapper-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Headers/Localize-Swift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DITranquillity-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Headers/CodableAlamofire.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DIStoryboardBase.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8TesseractDelegate.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8RecognizedBlock.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8RecognitionOperation.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Tesseract/CoreML_test-Bridging-Header.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVRadialGradientLayer.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8TesseractParameters.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/UIImage+G8Filters.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8Constants.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8Tesseract.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Headers/CodableAlamofire-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Headers/RxAlamofire-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Headers/SwiftHash-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Headers/ObjectMapper-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Headers/Localize_Swift-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DITranquillity-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Headers/Localize_Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVIndefiniteAnimatedView.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVProgressAnimatedView.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DITranquillity.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/CoreML.framework/Headers/CoreML.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/Vision.framework/Headers/Vision.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/Contacts.framework/Headers/Contacts.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MapKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/CoreML_test.build/Debug-iphonesimulator/CoreML_test.build/Objects-normal/x86_64/NetworkDIPart~partial.swiftdoc : /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/CoreML_test.build/Debug-iphonesimulator/CoreML_test.build/DerivedSources/CoreMLGenerated/Inceptionv3/Inceptionv3.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/CoreML_test.build/Debug-iphonesimulator/CoreML_test.build/DerivedSources/CoreMLGenerated/Alphanum_28x28/Alphanum_28x28.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Data/New\ Group/TranslatedData.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Services/TranslationService.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/AppDelegate.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapAnnotation/Artwork.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Common/Views/KerningLabel.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorPresenterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorRouterImpl.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Extension/HTTPURLResponseExtension.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Services/Providers/\ TranslationProvider.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/ViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorViewController.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Data/New\ Group/ApiError.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Common/TranslationApiError.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/Utils/ImageUtils.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Extension/UIViewController\ Extensions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/AlertControllers/AlertControllerFunctions.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorContract.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/OCR/OCRDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/DI/NetworkDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Main/MainDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Translation/TranslationDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetection/TextDetectionDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/DI/AppDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/TextDetector/TextDetectorDIPart.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Models/Map_/MapViews/ArtworkView.swift /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/CustomView/PreviewView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Modules/CodableAlamofire.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Modules/RxAlamofire.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Modules/SwiftHash.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Modules/ObjectMapper.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Modules/Localize_Swift.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/RxSwift.swiftmodule/x86_64.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Modules/DITranquillity.swiftmodule/x86_64.swiftmodule /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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.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/Vision.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.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/AVFoundation.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/CoreAudio.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/Contacts.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/MapKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVProgressHUD.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/TesseractOCR.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVProgressHUD-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/TesseractOCRiOS-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Headers/CodableAlamofire-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Headers/RxAlamofire-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Headers/SwiftHash-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Headers/ObjectMapper-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Headers/Localize-Swift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DITranquillity-umbrella.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Headers/CodableAlamofire.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DIStoryboardBase.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8TesseractDelegate.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8RecognizedBlock.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8RecognitionOperation.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/CoreML_test/Tesseract/CoreML_test-Bridging-Header.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVRadialGradientLayer.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8TesseractParameters.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/UIImage+G8Filters.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8Constants.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Headers/G8Tesseract.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Headers/CodableAlamofire-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Headers/RxAlamofire-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Headers/SwiftHash-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Headers/ObjectMapper-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Headers/Localize_Swift-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DITranquillity-Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Headers/Localize_Swift.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVIndefiniteAnimatedView.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Headers/SVProgressAnimatedView.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Headers/DITranquillity.h /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SVProgressHUD/SVProgressHUD.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/TesseractOCRiOS/TesseractOCR.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/CodableAlamofire/CodableAlamofire.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxAlamofire/RxAlamofire.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/SwiftHash/SwiftHash.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/ObjectMapper/ObjectMapper.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/Localize-Swift/Localize_Swift.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/module.modulemap /Users/Polina/XcodeApp/diplom_prj/CoreML_test/build/Debug-iphonesimulator/DITranquillity/DITranquillity.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/CoreML.framework/Headers/CoreML.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/Vision.framework/Headers/Vision.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/Contacts.framework/Headers/Contacts.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/MapKit.framework/Headers/MapKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes
D
module org.serviio.upnp.service.contentdirectory.rest.resources.server.AbstractRestrictedCDSServerResource; import java.lang.String; import org.restlet.representation.Representation; import org.restlet.resource.ResourceException; import org.serviio.upnp.service.contentdirectory.rest.resources.server.AbstractCDSServerResource; public abstract class AbstractRestrictedCDSServerResource : AbstractCDSServerResource { private static const String AUTH_TOKEN_PARAMETER = "authToken"; private String authToken; override protected void doInit() { super.doInit(); authToken = getRequest().getOriginalRef().getQueryAsForm().getFirstValue(AUTH_TOKEN_PARAMETER, true); } override protected Representation doConditionalHandle() { LoginServerResource.validateToken(authToken); return super.doConditionalHandle(); } protected String getToken() { return authToken; } } /* Location: D:\Program Files\Serviio\lib\serviio.jar * Qualified Name: org.serviio.upnp.service.contentdirectory.rest.resources.server.AbstractRestrictedCDSServerResource * JD-Core Version: 0.6.2 */
D
/home/philip/LearnDemo/rust-lang-book/Chapter08/Vec8_3/target/debug/Vec8_3: /home/philip/LearnDemo/rust-lang-book/Chapter08/Vec8_3/src/main.rs
D
a formal entry into an organization or position or office an electrical phenomenon whereby an electromotive force (EMF) is generated in a closed circuit by a change in the flow of current reasoning from detailed facts to general principles stimulation that calls up (draws forth) a particular class of behaviors the act of bringing about something (especially at an early time an act that sets in motion some course of events
D
/Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertControllerExample3/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/DYAlertController.build/Objects-normal/x86_64/DYAlertSettings.o : /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertController/DYActionCell.swift /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertController/DYAlertController.swift /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertController/DYAlertSettings.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/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/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertControllerExample3/Pods/Target\ Support\ Files/DYAlertController/DYAlertController-umbrella.h /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertControllerExample3/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/DYAlertController.build/unextended-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/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertControllerExample3/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/DYAlertController.build/Objects-normal/x86_64/DYAlertSettings~partial.swiftmodule : /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertController/DYActionCell.swift /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertController/DYAlertController.swift /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertController/DYAlertSettings.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/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/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertControllerExample3/Pods/Target\ Support\ Files/DYAlertController/DYAlertController-umbrella.h /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertControllerExample3/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/DYAlertController.build/unextended-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/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertControllerExample3/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/DYAlertController.build/Objects-normal/x86_64/DYAlertSettings~partial.swiftdoc : /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertController/DYActionCell.swift /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertController/DYAlertController.swift /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertController/DYAlertSettings.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/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/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertControllerExample3/Pods/Target\ Support\ Files/DYAlertController/DYAlertController-umbrella.h /Users/Dominik/Documents/Programmieren/Libraries/DYAlertController/DYAlertControllerExample3/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/DYAlertController.build/unextended-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