code
stringlengths
3
10M
language
stringclasses
31 values
/** Example sub-library. */ module test_repos.example; string exampleString() { return "This is an example library."; }
D
/** * Most of the logic to implement scoped pointers and scoped references is here. * * Copyright: Copyright (C) 1999-2020 by The D Language Foundation, All Rights Reserved * Authors: $(LINK2 http://www.digitalmars.com, Walter Bright) * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/escape.d, _escape.d) * Documentation: https://dlang.org/phobos/dmd_escape.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/escape.d */ module dmd.escape; import core.stdc.stdio : printf; import core.stdc.stdlib; import core.stdc.string; import dmd.root.rmem; import dmd.aggregate; import dmd.declaration; import dmd.dscope; import dmd.dsymbol; import dmd.errors; import dmd.expression; import dmd.func; import dmd.globals; import dmd.id; import dmd.identifier; import dmd.init; import dmd.mtype; import dmd.printast; import dmd.root.rootobject; import dmd.tokens; import dmd.visitor; import dmd.arraytypes; /****************************************************** * Checks memory objects passed to a function. * Checks that if a memory object is passed by ref or by pointer, * all of the refs or pointers are const, or there is only one mutable * ref or pointer to it. * References: * DIP 1021 * Params: * sc = used to determine current function and module * fd = function being called * tf = fd's type * ethis = if not null, the `this` pointer * arguments = actual arguments to function * gag = do not print error messages * Returns: * `true` if error */ bool checkMutableArguments(Scope* sc, FuncDeclaration fd, TypeFunction tf, Expression ethis, Expressions* arguments, bool gag) { enum log = false; if (log) printf("[%s] checkMutableArguments, fd: `%s`\n", fd.loc.toChars(), fd.toChars()); if (log && ethis) printf("ethis: `%s`\n", ethis.toChars()); bool errors = false; /* Outer variable references are treated as if they are extra arguments * passed by ref to the function (which they essentially are via the static link). */ VarDeclaration[] outerVars = fd ? fd.outerVars[] : null; const len = arguments.length + (ethis !is null) + outerVars.length; if (len <= 1) return errors; struct EscapeBy { EscapeByResults er; Parameter param; // null if no Parameter for this argument bool isMutable; // true if reference to mutable } /* Store escapeBy as static data escapeByStorage so we can keep reusing the same * arrays rather than reallocating them. */ __gshared EscapeBy[] escapeByStorage; auto escapeBy = escapeByStorage; if (escapeBy.length < len) { auto newPtr = cast(EscapeBy*)mem.xrealloc(escapeBy.ptr, len * EscapeBy.sizeof); // Clear the new section memset(newPtr + escapeBy.length, 0, (len - escapeBy.length) * EscapeBy.sizeof); escapeBy = newPtr[0 .. len]; escapeByStorage = escapeBy; } else escapeBy = escapeBy[0 .. len]; const paramLength = tf.parameterList.length; // Fill in escapeBy[] with arguments[], ethis, and outerVars[] foreach (const i, ref eb; escapeBy) { bool refs; Expression arg; if (i < arguments.length) { arg = (*arguments)[i]; if (i < paramLength) { eb.param = tf.parameterList[i]; refs = eb.param.isReference(); eb.isMutable = eb.param.isReferenceToMutable(arg.type); } else { eb.param = null; refs = false; eb.isMutable = arg.type.isReferenceToMutable(); } } else if (ethis) { /* ethis is passed by value if a class reference, * by ref if a struct value */ eb.param = null; arg = ethis; auto ad = fd.isThis(); assert(ad); assert(ethis); if (ad.isClassDeclaration()) { refs = false; eb.isMutable = arg.type.isReferenceToMutable(); } else { assert(ad.isStructDeclaration()); refs = true; eb.isMutable = arg.type.isMutable(); } } else { // outer variables are passed by ref eb.param = null; refs = true; auto var = outerVars[i - (len - outerVars.length)]; eb.isMutable = var.type.isMutable(); eb.er.byref.push(var); continue; } if (refs) escapeByRef(arg, &eb.er); else escapeByValue(arg, &eb.er); } void checkOnePair(size_t i, ref EscapeBy eb, ref EscapeBy eb2, VarDeclaration v, VarDeclaration v2, bool of) { if (log) printf("v2: `%s`\n", v2.toChars()); if (v2 != v) return; //printf("v %d v2 %d\n", eb.isMutable, eb2.isMutable); if (!(eb.isMutable || eb2.isMutable)) return; if (!(global.params.vsafe && sc.func.setUnsafe())) return; if (!gag) { // int i; funcThatEscapes(ref int i); // funcThatEscapes(i); // error escaping reference _to_ `i` // int* j; funcThatEscapes2(int* j); // funcThatEscapes2(j); // error escaping reference _of_ `i` const(char)* referenceVerb = of ? "of" : "to"; const(char)* msg = eb.isMutable && eb2.isMutable ? "more than one mutable reference %s `%s` in arguments to `%s()`" : "mutable and const references %s `%s` in arguments to `%s()`"; error((*arguments)[i].loc, msg, referenceVerb, v.toChars(), fd ? fd.toPrettyChars() : "indirectly"); } errors = true; } void escape(size_t i, ref EscapeBy eb, bool byval) { foreach (VarDeclaration v; byval ? eb.er.byvalue : eb.er.byref) { if (log) { const(char)* by = byval ? "byval" : "byref"; printf("%s %s\n", by, v.toChars()); } if (byval && !v.type.hasPointers()) continue; foreach (ref eb2; escapeBy[i + 1 .. $]) { foreach (VarDeclaration v2; byval ? eb2.er.byvalue : eb2.er.byref) { checkOnePair(i, eb, eb2, v, v2, byval); } } } } foreach (const i, ref eb; escapeBy[0 .. $ - 1]) { escape(i, eb, true); escape(i, eb, false); } /* Reset the arrays in escapeBy[] so we can reuse them next time through */ foreach (ref eb; escapeBy) { eb.er.reset(); } return errors; } /****************************************** * Array literal is going to be allocated on the GC heap. * Check its elements to see if any would escape by going on the heap. * Params: * sc = used to determine current function and module * ae = array literal expression * gag = do not print error messages * Returns: * `true` if any elements escaped */ bool checkArrayLiteralEscape(Scope *sc, ArrayLiteralExp ae, bool gag) { bool errors; if (ae.basis) errors = checkNewEscape(sc, ae.basis, gag); foreach (ex; *ae.elements) { if (ex) errors |= checkNewEscape(sc, ex, gag); } return errors; } /****************************************** * Associative array literal is going to be allocated on the GC heap. * Check its elements to see if any would escape by going on the heap. * Params: * sc = used to determine current function and module * ae = associative array literal expression * gag = do not print error messages * Returns: * `true` if any elements escaped */ bool checkAssocArrayLiteralEscape(Scope *sc, AssocArrayLiteralExp ae, bool gag) { bool errors; foreach (ex; *ae.keys) { if (ex) errors |= checkNewEscape(sc, ex, gag); } foreach (ex; *ae.values) { if (ex) errors |= checkNewEscape(sc, ex, gag); } return errors; } /**************************************** * Function parameter `par` is being initialized to `arg`, * and `par` may escape. * Detect if scoped values can escape this way. * Print error messages when these are detected. * Params: * sc = used to determine current function and module * fdc = function being called, `null` if called indirectly * par = function parameter (`this` if null) * arg = initializer for param * assertmsg = true if the parameter is the msg argument to assert(bool, msg). * gag = do not print error messages * Returns: * `true` if pointers to the stack can escape via assignment */ bool checkParamArgumentEscape(Scope* sc, FuncDeclaration fdc, Parameter par, Expression arg, bool assertmsg, bool gag) { enum log = false; if (log) printf("checkParamArgumentEscape(arg: %s par: %s)\n", arg ? arg.toChars() : "null", par ? par.toChars() : "this"); //printf("type = %s, %d\n", arg.type.toChars(), arg.type.hasPointers()); if (!arg.type.hasPointers()) return false; EscapeByResults er; escapeByValue(arg, &er); if (!er.byref.dim && !er.byvalue.dim && !er.byfunc.dim && !er.byexp.dim) return false; bool result = false; /* 'v' is assigned unsafely to 'par' */ void unsafeAssign(VarDeclaration v, const char* desc) { if (global.params.vsafe && sc.func.setUnsafe()) { if (!gag) { if (assertmsg) { error(arg.loc, "%s `%s` assigned to non-scope parameter calling `assert()`", desc, v.toChars()); } else { error(arg.loc, "%s `%s` assigned to non-scope parameter `%s` calling %s", desc, v.toChars(), par ? par.toChars() : "this", fdc ? fdc.toPrettyChars() : "indirectly"); } } result = true; } } foreach (VarDeclaration v; er.byvalue) { if (log) printf("byvalue %s\n", v.toChars()); if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); notMaybeScope(v); if (v.isScope()) { unsafeAssign(v, "scope variable"); } else if (v.storage_class & STC.variadic && p == sc.func) { Type tb = v.type.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { unsafeAssign(v, "variadic variable"); } } else { /* v is not 'scope', and is assigned to a parameter that may escape. * Therefore, v can never be 'scope'. */ if (log) printf("no infer for %s in %s loc %s, fdc %s, %d\n", v.toChars(), sc.func.ident.toChars(), sc.func.loc.toChars(), fdc.ident.toChars(), __LINE__); v.doNotInferScope = true; } } foreach (VarDeclaration v; er.byref) { if (log) printf("byref %s\n", v.toChars()); if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); notMaybeScope(v); if ((v.storage_class & (STC.ref_ | STC.out_)) == 0 && p == sc.func) { if (par && (par.storageClass & (STC.scope_ | STC.return_)) == STC.scope_) continue; unsafeAssign(v, "reference to local variable"); continue; } } foreach (FuncDeclaration fd; er.byfunc) { //printf("fd = %s, %d\n", fd.toChars(), fd.tookAddressOf); VarDeclarations vars; findAllOuterAccessedVariables(fd, &vars); foreach (v; vars) { //printf("v = %s\n", v.toChars()); assert(!v.isDataseg()); // these are not put in the closureVars[] Dsymbol p = v.toParent2(); notMaybeScope(v); if ((v.storage_class & (STC.ref_ | STC.out_ | STC.scope_)) && p == sc.func) { unsafeAssign(v, "reference to local"); continue; } } } foreach (Expression ee; er.byexp) { if (sc.func && sc.func.setUnsafe()) { if (!gag) error(ee.loc, "reference to stack allocated value returned by `%s` assigned to non-scope parameter `%s`", ee.toChars(), par ? par.toChars() : "this"); result = true; } } return result; } /***************************************************** * Function argument initializes a `return` parameter, * and that parameter gets assigned to `firstArg`. * Essentially, treat as `firstArg = arg;` * Params: * sc = used to determine current function and module * firstArg = `ref` argument through which `arg` may be assigned * arg = initializer for parameter * gag = do not print error messages * Returns: * `true` if assignment to `firstArg` would cause an error */ bool checkParamArgumentReturn(Scope* sc, Expression firstArg, Expression arg, bool gag) { enum log = false; if (log) printf("checkParamArgumentReturn(firstArg: %s arg: %s)\n", firstArg.toChars(), arg.toChars()); //printf("type = %s, %d\n", arg.type.toChars(), arg.type.hasPointers()); if (!arg.type.hasPointers()) return false; scope e = new AssignExp(arg.loc, firstArg, arg); return checkAssignEscape(sc, e, gag); } /***************************************************** * Check struct constructor of the form `s.this(args)`, by * checking each `return` parameter to see if it gets * assigned to `s`. * Params: * sc = used to determine current function and module * ce = constructor call of the form `s.this(args)` * gag = do not print error messages * Returns: * `true` if construction would cause an escaping reference error */ bool checkConstructorEscape(Scope* sc, CallExp ce, bool gag) { enum log = false; if (log) printf("checkConstructorEscape(%s, %s)\n", ce.toChars(), ce.type.toChars()); Type tthis = ce.type.toBasetype(); assert(tthis.ty == Tstruct); if (!tthis.hasPointers()) return false; if (!ce.arguments && ce.arguments.dim) return false; assert(ce.e1.op == TOK.dotVariable); DotVarExp dve = cast(DotVarExp)ce.e1; CtorDeclaration ctor = dve.var.isCtorDeclaration(); assert(ctor); assert(ctor.type.ty == Tfunction); TypeFunction tf = cast(TypeFunction)ctor.type; const nparams = tf.parameterList.length; const n = ce.arguments.dim; // j=1 if _arguments[] is first argument const j = tf.isDstyleVariadic(); /* Attempt to assign each `return` arg to the `this` reference */ foreach (const i; 0 .. n) { Expression arg = (*ce.arguments)[i]; if (!arg.type.hasPointers()) return false; //printf("\targ[%d]: %s\n", i, arg.toChars()); if (i - j < nparams && i >= j) { Parameter p = tf.parameterList[i - j]; if (p.storageClass & STC.return_) { /* Fake `dve.e1 = arg;` and look for scope violations */ scope e = new AssignExp(arg.loc, dve.e1, arg); if (checkAssignEscape(sc, e, gag)) return true; } } } return false; } /**************************************** * Given an `AssignExp`, determine if the lvalue will cause * the contents of the rvalue to escape. * Print error messages when these are detected. * Infer `scope` attribute for the lvalue where possible, in order * to eliminate the error. * Params: * sc = used to determine current function and module * e = `AssignExp` or `CatAssignExp` to check for any pointers to the stack * gag = do not print error messages * Returns: * `true` if pointers to the stack can escape via assignment */ bool checkAssignEscape(Scope* sc, Expression e, bool gag) { enum log = false; if (log) printf("checkAssignEscape(e: %s)\n", e.toChars()); if (e.op != TOK.assign && e.op != TOK.blit && e.op != TOK.construct && e.op != TOK.concatenateAssign && e.op != TOK.concatenateElemAssign && e.op != TOK.concatenateDcharAssign) return false; auto ae = cast(BinExp)e; Expression e1 = ae.e1; Expression e2 = ae.e2; //printf("type = %s, %d\n", e1.type.toChars(), e1.type.hasPointers()); if (!e1.type.hasPointers()) return false; if (e1.op == TOK.slice) return false; /* The struct literal case can arise from the S(e2) constructor call: * return S(e2); * and appears in this function as: * structLiteral = e2; * Such an assignment does not necessarily remove scope-ness. */ if (e1.op == TOK.structLiteral) return false; EscapeByResults er; escapeByValue(e2, &er); if (!er.byref.dim && !er.byvalue.dim && !er.byfunc.dim && !er.byexp.dim) return false; VarDeclaration va = expToVariable(e1); if (va && e.op == TOK.concatenateElemAssign) { /* https://issues.dlang.org/show_bug.cgi?id=17842 * Draw an equivalence between: * *q = p; * and: * va ~= e; * since we are not assigning to va, but are assigning indirectly through va. */ va = null; } if (va && e1.op == TOK.dotVariable && va.type.toBasetype().ty == Tclass) { /* https://issues.dlang.org/show_bug.cgi?id=17949 * Draw an equivalence between: * *q = p; * and: * va.field = e2; * since we are not assigning to va, but are assigning indirectly through class reference va. */ va = null; } if (log && va) printf("va: %s\n", va.toChars()); // Try to infer 'scope' for va if in a function not marked @system bool inferScope = false; if (va && sc.func && sc.func.type && sc.func.type.ty == Tfunction) inferScope = (cast(TypeFunction)sc.func.type).trust != TRUST.system; //printf("inferScope = %d, %d\n", inferScope, (va.storage_class & STCmaybescope) != 0); // Determine if va is a parameter that is an indirect reference const bool vaIsRef = va && va.storage_class & STC.parameter && (va.storage_class & (STC.ref_ | STC.out_) || va.type.toBasetype().ty == Tclass); if (log && vaIsRef) printf("va is ref `%s`\n", va.toChars()); /* Determine if va is the first parameter, through which other 'return' parameters * can be assigned. */ bool isFirstRef() { if (!vaIsRef) return false; Dsymbol p = va.toParent2(); FuncDeclaration fd = sc.func; if (p == fd && fd.type && fd.type.ty == Tfunction) { TypeFunction tf = cast(TypeFunction)fd.type; if (!tf.nextOf() || (tf.nextOf().ty != Tvoid && !fd.isCtorDeclaration())) return false; if (va == fd.vthis) return true; if (fd.parameters && fd.parameters.dim && (*fd.parameters)[0] == va) return true; } return false; } const bool vaIsFirstRef = isFirstRef(); if (log && vaIsFirstRef) printf("va is first ref `%s`\n", va.toChars()); bool result = false; foreach (VarDeclaration v; er.byvalue) { if (log) printf("byvalue: %s\n", v.toChars()); if (v.isDataseg()) continue; if (v == va) continue; Dsymbol p = v.toParent2(); if (va && !vaIsRef && !va.isScope() && !v.isScope() && (va.storage_class & v.storage_class & (STC.maybescope | STC.variadic)) == STC.maybescope && p == sc.func) { /* Add v to va's list of dependencies */ va.addMaybe(v); continue; } if (vaIsFirstRef && (v.isScope() || (v.storage_class & STC.maybescope)) && !(v.storage_class & STC.return_) && v.isParameter() && sc.func.flags & FUNCFLAG.returnInprocess && p == sc.func) { if (log) printf("inferring 'return' for parameter %s in function %s\n", v.toChars(), sc.func.toChars()); inferReturn(sc.func, v); // infer addition of 'return' } if (!(va && va.isScope()) || vaIsRef) notMaybeScope(v); if (v.isScope()) { if (vaIsFirstRef && v.isParameter() && v.storage_class & STC.return_) { if (va.isScope()) continue; if (inferScope && !va.doNotInferScope) { if (log) printf("inferring scope for lvalue %s\n", va.toChars()); va.storage_class |= STC.scope_ | STC.scopeinferred; continue; } } if (va && va.isScope() && va.storage_class & STC.return_ && !(v.storage_class & STC.return_) && sc.func.setUnsafe()) { if (!gag) error(ae.loc, "scope variable `%s` assigned to return scope `%s`", v.toChars(), va.toChars()); result = true; continue; } // If va's lifetime encloses v's, then error if (va && (va.enclosesLifetimeOf(v) && !(v.storage_class & (STC.parameter | STC.temp)) || // va is class reference ae.e1.op == TOK.dotVariable && va.type.toBasetype().ty == Tclass && (va.enclosesLifetimeOf(v) || !va.isScope()) || vaIsRef || va.storage_class & (STC.ref_ | STC.out_) && !(v.storage_class & (STC.parameter | STC.temp))) && sc.func.setUnsafe()) { if (!gag) error(ae.loc, "scope variable `%s` assigned to `%s` with longer lifetime", v.toChars(), va.toChars()); result = true; continue; } if (va && !va.isDataseg() && !va.doNotInferScope) { if (!va.isScope() && inferScope) { //printf("inferring scope for %s\n", va.toChars()); va.storage_class |= STC.scope_ | STC.scopeinferred; if (v.storage_class & STC.return_ && !(va.storage_class & STC.return_)) { va.storage_class |= STC.return_ | STC.returninferred; } } continue; } if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "scope variable `%s` assigned to non-scope `%s`", v.toChars(), e1.toChars()); result = true; } } else if (v.storage_class & STC.variadic && p == sc.func) { Type tb = v.type.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (va && !va.isDataseg() && !va.doNotInferScope) { if (!va.isScope() && inferScope) { //printf("inferring scope for %s\n", va.toChars()); va.storage_class |= STC.scope_ | STC.scopeinferred; } continue; } if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "variadic variable `%s` assigned to non-scope `%s`", v.toChars(), e1.toChars()); result = true; } } } else { /* v is not 'scope', and we didn't check the scope of where we assigned it to. * It may escape via that assignment, therefore, v can never be 'scope'. */ //printf("no infer for %s in %s, %d\n", v.toChars(), sc.func.ident.toChars(), __LINE__); v.doNotInferScope = true; } } ByRef: foreach (VarDeclaration v; er.byref) { if (log) printf("byref: %s\n", v.toChars()); if (v.isDataseg()) continue; if (global.params.vsafe) { if (va && va.isScope() && (v.storage_class & (STC.ref_ | STC.out_)) == 0) { if (!(va.storage_class & STC.return_)) { va.doNotInferReturn = true; } else if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "address of local variable `%s` assigned to return scope `%s`", v.toChars(), va.toChars()); result = true; continue; } } } Dsymbol p = v.toParent2(); // If va's lifetime encloses v's, then error if (va && (va.enclosesLifetimeOf(v) && !(v.storage_class & STC.parameter) || va.storage_class & STC.ref_ || va.isDataseg()) && sc.func.setUnsafe()) { if (!gag) error(ae.loc, "address of variable `%s` assigned to `%s` with longer lifetime", v.toChars(), va.toChars()); result = true; continue; } if (va && v.storage_class & (STC.ref_ | STC.out_)) { Dsymbol pva = va.toParent2(); for (Dsymbol pv = p; pv; ) { pv = pv.toParent2(); if (pva == pv) // if v is nested inside pva { if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "reference `%s` assigned to `%s` with longer lifetime", v.toChars(), va.toChars()); result = true; continue ByRef; } break; } } } if (!(va && va.isScope())) notMaybeScope(v); if ((v.storage_class & (STC.ref_ | STC.out_)) || p != sc.func) continue; if (va && !va.isDataseg() && !va.doNotInferScope) { if (!va.isScope() && inferScope) { //printf("inferring scope for %s\n", va.toChars()); va.storage_class |= STC.scope_ | STC.scopeinferred; } continue; } if (e1.op == TOK.structLiteral) continue; if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "reference to local variable `%s` assigned to non-scope `%s`", v.toChars(), e1.toChars()); result = true; } } foreach (FuncDeclaration fd; er.byfunc) { if (log) printf("byfunc: %s, %d\n", fd.toChars(), fd.tookAddressOf); VarDeclarations vars; findAllOuterAccessedVariables(fd, &vars); /* https://issues.dlang.org/show_bug.cgi?id=16037 * If assigning the address of a delegate to a scope variable, * then uncount that address of. This is so it won't cause a * closure to be allocated. */ if (va && va.isScope() && fd.tookAddressOf) --fd.tookAddressOf; foreach (v; vars) { //printf("v = %s\n", v.toChars()); assert(!v.isDataseg()); // these are not put in the closureVars[] Dsymbol p = v.toParent2(); if (!(va && va.isScope())) notMaybeScope(v); if (!(v.storage_class & (STC.ref_ | STC.out_ | STC.scope_)) || p != sc.func) continue; if (va && !va.isDataseg() && !va.doNotInferScope) { /* Don't infer STC.scope_ for va, because then a closure * won't be generated for sc.func. */ //if (!va.isScope() && inferScope) //va.storage_class |= STC.scope_ | STC.scopeinferred; continue; } if (sc.func.setUnsafe()) { if (!gag) error(ae.loc, "reference to local `%s` assigned to non-scope `%s` in @safe code", v.toChars(), e1.toChars()); result = true; } } } foreach (Expression ee; er.byexp) { if (log) printf("byexp: %s\n", ee.toChars()); /* Do not allow slicing of a static array returned by a function */ if (va && ee.op == TOK.call && ee.type.toBasetype().ty == Tsarray && va.type.toBasetype().ty == Tarray && !(va.storage_class & STC.temp)) { if (!gag) deprecation(ee.loc, "slice of static array temporary returned by `%s` assigned to longer lived variable `%s`", ee.toChars(), va.toChars()); //result = true; continue; } if (va && ee.op == TOK.call && ee.type.toBasetype().ty == Tstruct && !(va.storage_class & STC.temp) && va.ident != Id.withSym && sc.func.setUnsafe()) { if (!gag) error(ee.loc, "address of struct temporary returned by `%s` assigned to longer lived variable `%s`", ee.toChars(), va.toChars()); result = true; continue; } if (va && ee.op == TOK.structLiteral && !(va.storage_class & STC.temp) && va.ident != Id.withSym && sc.func.setUnsafe()) { if (!gag) error(ee.loc, "address of struct literal `%s` assigned to longer lived variable `%s`", ee.toChars(), va.toChars()); result = true; continue; } if (va && !va.isDataseg() && !va.doNotInferScope) { if (!va.isScope() && inferScope) { //printf("inferring scope for %s\n", va.toChars()); va.storage_class |= STC.scope_ | STC.scopeinferred; } continue; } if (sc.func.setUnsafe()) { if (!gag) error(ee.loc, "reference to stack allocated value returned by `%s` assigned to non-scope `%s`", ee.toChars(), e1.toChars()); result = true; } } return result; } /************************************ * Detect cases where pointers to the stack can escape the * lifetime of the stack frame when throwing `e`. * Print error messages when these are detected. * Params: * sc = used to determine current function and module * e = expression to check for any pointers to the stack * gag = do not print error messages * Returns: * `true` if pointers to the stack can escape */ bool checkThrowEscape(Scope* sc, Expression e, bool gag) { //printf("[%s] checkThrowEscape, e = %s\n", e.loc.toChars(), e.toChars()); EscapeByResults er; escapeByValue(e, &er); if (!er.byref.dim && !er.byvalue.dim && !er.byexp.dim) return false; bool result = false; foreach (VarDeclaration v; er.byvalue) { //printf("byvalue %s\n", v.toChars()); if (v.isDataseg()) continue; if (v.isScope() && !v.iscatchvar) // special case: allow catch var to be rethrown // despite being `scope` { if (sc._module && sc._module.isRoot()) { // Only look for errors if in module listed on command line if (global.params.vsafe) // https://issues.dlang.org/show_bug.cgi?id=17029 { if (!gag) error(e.loc, "scope variable `%s` may not be thrown", v.toChars()); result = true; } continue; } } else { //printf("no infer for %s in %s, %d\n", v.toChars(), sc.func.ident.toChars(), __LINE__); v.doNotInferScope = true; } } return result; } /************************************ * Detect cases where pointers to the stack can escape the * lifetime of the stack frame by being placed into a GC allocated object. * Print error messages when these are detected. * Params: * sc = used to determine current function and module * e = expression to check for any pointers to the stack * gag = do not print error messages * Returns: * `true` if pointers to the stack can escape */ bool checkNewEscape(Scope* sc, Expression e, bool gag) { //printf("[%s] checkNewEscape, e = %s\n", e.loc.toChars(), e.toChars()); enum log = false; if (log) printf("[%s] checkNewEscape, e: `%s`\n", e.loc.toChars(), e.toChars()); EscapeByResults er; escapeByValue(e, &er); if (!er.byref.dim && !er.byvalue.dim && !er.byexp.dim) return false; bool result = false; foreach (VarDeclaration v; er.byvalue) { if (log) printf("byvalue `%s`\n", v.toChars()); if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); if (v.isScope()) { if (sc._module && sc._module.isRoot() && /* This case comes up when the ReturnStatement of a __foreachbody is * checked for escapes by the caller of __foreachbody. Skip it. * * struct S { static int opApply(int delegate(S*) dg); } * S* foo() { * foreach (S* s; S) // create __foreachbody for body of foreach * return s; // s is inferred as 'scope' but incorrectly tested in foo() * return null; } */ !(p.parent == sc.func)) { // Only look for errors if in module listed on command line if (global.params.vsafe // https://issues.dlang.org/show_bug.cgi?id=17029 && sc.func.setUnsafe()) // https://issues.dlang.org/show_bug.cgi?id=20868 { if (!gag) error(e.loc, "scope variable `%s` may not be copied into allocated memory", v.toChars()); result = true; } continue; } } else if (v.storage_class & STC.variadic && p == sc.func) { Type tb = v.type.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!gag) error(e.loc, "copying `%s` into allocated memory escapes a reference to variadic parameter `%s`", e.toChars(), v.toChars()); result = false; } } else { //printf("no infer for %s in %s, %d\n", v.toChars(), sc.func.ident.toChars(), __LINE__); v.doNotInferScope = true; } } foreach (VarDeclaration v; er.byref) { if (log) printf("byref `%s`\n", v.toChars()); // 'emitError' tells us whether to emit an error or a deprecation, // depending on the flag passed to the CLI for DIP25 void escapingRef(VarDeclaration v, bool emitError = true) { if (!gag) { const(char)* kind = (v.storage_class & STC.parameter) ? "parameter" : "local"; const(char)* msg = "copying `%s` into allocated memory escapes a reference to %s variable `%s`"; if (emitError) error(e.loc, msg, e.toChars(), kind, v.toChars()); else if (!sc.isDeprecated()) deprecation(e.loc, msg, e.toChars(), kind, v.toChars()); } result |= emitError; } if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); if ((v.storage_class & (STC.ref_ | STC.out_)) == 0) { if (p == sc.func) { escapingRef(v); continue; } } /* Check for returning a ref variable by 'ref', but should be 'return ref' * Infer the addition of 'return', or set result to be the offending expression. */ if (!(v.storage_class & (STC.ref_ | STC.out_))) continue; if (!sc._module || !sc._module.isRoot()) continue; // If -preview=dip25 is used, the user wants an error // Otherwise, issue a deprecation const emitError = global.params.useDIP25; // https://dlang.org/spec/function.html#return-ref-parameters // Only look for errors if in module listed on command line if (p == sc.func) { //printf("escaping reference to local ref variable %s\n", v.toChars()); //printf("storage class = x%llx\n", v.storage_class); escapingRef(v, emitError); continue; } // Don't need to be concerned if v's parent does not return a ref FuncDeclaration fd = p.isFuncDeclaration(); if (!fd || !fd.type) continue; if (auto tf = fd.type.isTypeFunction()) { if (!tf.isref) continue; const(char)* msg = "storing reference to outer local variable `%s` into allocated memory causes it to escape"; if (!gag && emitError) error(e.loc, msg, v.toChars()); else if (!gag) deprecation(e.loc, msg, v.toChars()); result |= emitError; } } foreach (Expression ee; er.byexp) { if (log) printf("byexp %s\n", ee.toChars()); if (!gag) error(ee.loc, "storing reference to stack allocated value returned by `%s` into allocated memory causes it to escape", ee.toChars()); result = true; } return result; } /************************************ * Detect cases where pointers to the stack can escape the * lifetime of the stack frame by returning `e` by value. * Print error messages when these are detected. * Params: * sc = used to determine current function and module * e = expression to check for any pointers to the stack * gag = do not print error messages * Returns: * `true` if pointers to the stack can escape */ bool checkReturnEscape(Scope* sc, Expression e, bool gag) { //printf("[%s] checkReturnEscape, e: %s\n", e.loc.toChars(), e.toChars()); return checkReturnEscapeImpl(sc, e, false, gag); } /************************************ * Detect cases where returning `e` by `ref` can result in a reference to the stack * being returned. * Print error messages when these are detected. * Params: * sc = used to determine current function and module * e = expression to check * gag = do not print error messages * Returns: * `true` if references to the stack can escape */ bool checkReturnEscapeRef(Scope* sc, Expression e, bool gag) { version (none) { printf("[%s] checkReturnEscapeRef, e = %s\n", e.loc.toChars(), e.toChars()); printf("current function %s\n", sc.func.toChars()); printf("parent2 function %s\n", sc.func.toParent2().toChars()); } return checkReturnEscapeImpl(sc, e, true, gag); } /*************************************** * Implementation of checking for escapes in return expressions. * Params: * sc = used to determine current function and module * e = expression to check * refs = `true`: escape by value, `false`: escape by `ref` * gag = do not print error messages * Returns: * `true` if references to the stack can escape */ private bool checkReturnEscapeImpl(Scope* sc, Expression e, bool refs, bool gag) { enum log = false; if (log) printf("[%s] checkReturnEscapeImpl, refs: %d e: `%s`\n", e.loc.toChars(), refs, e.toChars()); EscapeByResults er; if (refs) escapeByRef(e, &er); else escapeByValue(e, &er); if (!er.byref.dim && !er.byvalue.dim && !er.byexp.dim) return false; bool result = false; foreach (VarDeclaration v; er.byvalue) { if (log) printf("byvalue `%s`\n", v.toChars()); if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); if ((v.isScope() || (v.storage_class & STC.maybescope)) && !(v.storage_class & STC.return_) && v.isParameter() && !v.doNotInferReturn && sc.func.flags & FUNCFLAG.returnInprocess && p == sc.func) { inferReturn(sc.func, v); // infer addition of 'return' continue; } if (v.isScope()) { if (v.storage_class & STC.return_) continue; auto pfunc = p.isFuncDeclaration(); if (pfunc && sc._module && sc._module.isRoot() && /* This case comes up when the ReturnStatement of a __foreachbody is * checked for escapes by the caller of __foreachbody. Skip it. * * struct S { static int opApply(int delegate(S*) dg); } * S* foo() { * foreach (S* s; S) // create __foreachbody for body of foreach * return s; // s is inferred as 'scope' but incorrectly tested in foo() * return null; } */ !(!refs && p.parent == sc.func && pfunc.fes) && /* * auto p(scope string s) { * string scfunc() { return s; } * } */ !(!refs && sc.func.isFuncDeclaration().getLevel(pfunc, sc.intypeof) > 0) ) { // Only look for errors if in module listed on command line if (global.params.vsafe) // https://issues.dlang.org/show_bug.cgi?id=17029 { if (!gag) error(e.loc, "scope variable `%s` may not be returned", v.toChars()); result = true; } continue; } } else if (v.storage_class & STC.variadic && p == sc.func) { Type tb = v.type.toBasetype(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (!gag) error(e.loc, "returning `%s` escapes a reference to variadic parameter `%s`", e.toChars(), v.toChars()); result = false; } } else { //printf("no infer for %s in %s, %d\n", v.toChars(), sc.func.ident.toChars(), __LINE__); v.doNotInferScope = true; } } foreach (VarDeclaration v; er.byref) { if (log) printf("byref `%s`\n", v.toChars()); // 'emitError' tells us whether to emit an error or a deprecation, // depending on the flag passed to the CLI for DIP25 void escapingRef(VarDeclaration v, bool emitError = true) { if (!gag) { const(char)* msg, supplemental; if (v.storage_class & STC.parameter && (v.type.hasPointers() || v.storage_class & STC.ref_)) { msg = "returning `%s` escapes a reference to parameter `%s`"; supplemental = "perhaps annotate the parameter with `return`"; } else { msg = "returning `%s` escapes a reference to local variable `%s`"; if (v.ident is Id.This) supplemental = "perhaps annotate the function with `return`"; } if (emitError) { e.error(msg, e.toChars(), v.toChars()); if (supplemental) e.errorSupplemental(supplemental); } else { e.deprecation(msg, e.toChars(), v.toChars()); if (supplemental) deprecationSupplemental(e.loc, supplemental); } } result = true; } if (v.isDataseg()) continue; Dsymbol p = v.toParent2(); // https://issues.dlang.org/show_bug.cgi?id=19965 if (!refs && sc.func.vthis == v) notMaybeScope(v); if ((v.storage_class & (STC.ref_ | STC.out_)) == 0) { if (p == sc.func) { escapingRef(v); continue; } FuncDeclaration fd = p.isFuncDeclaration(); if (fd && sc.func.flags & FUNCFLAG.returnInprocess) { /* Code like: * int x; * auto dg = () { return &x; } * Making it: * auto dg = () return { return &x; } * Because dg.ptr points to x, this is returning dt.ptr+offset */ if (global.params.vsafe) { sc.func.storage_class |= STC.return_ | STC.returninferred; } } } /* Check for returning a ref variable by 'ref', but should be 'return ref' * Infer the addition of 'return', or set result to be the offending expression. */ if ( (v.storage_class & (STC.ref_ | STC.out_)) && !(v.storage_class & (STC.return_ | STC.foreach_))) { if (sc.func.flags & FUNCFLAG.returnInprocess && p == sc.func) { inferReturn(sc.func, v); // infer addition of 'return' } else if (sc._module && sc._module.isRoot()) { // If -preview=dip25 is used, the user wants an error // Otherwise, issue a deprecation const emitError = global.params.useDIP25; // https://dlang.org/spec/function.html#return-ref-parameters // Only look for errors if in module listed on command line if (p == sc.func) { //printf("escaping reference to local ref variable %s\n", v.toChars()); //printf("storage class = x%llx\n", v.storage_class); escapingRef(v, emitError); continue; } // Don't need to be concerned if v's parent does not return a ref FuncDeclaration fd = p.isFuncDeclaration(); if (fd && fd.type && fd.type.ty == Tfunction) { TypeFunction tf = cast(TypeFunction)fd.type; if (tf.isref) { const(char)* msg = "escaping reference to outer local variable `%s`"; if (!gag && emitError) error(e.loc, msg, v.toChars()); else if (!gag) deprecation(e.loc, msg, v.toChars()); result = true; continue; } } } } } foreach (Expression ee; er.byexp) { if (log) printf("byexp %s\n", ee.toChars()); if (!gag) error(ee.loc, "escaping reference to stack allocated value returned by `%s`", ee.toChars()); result = true; } return result; } /************************************* * Variable v needs to have 'return' inferred for it. * Params: * fd = function that v is a parameter to * v = parameter that needs to be STC.return_ */ private void inferReturn(FuncDeclaration fd, VarDeclaration v) { // v is a local in the current function //printf("for function '%s' inferring 'return' for variable '%s'\n", fd.toChars(), v.toChars()); v.storage_class |= STC.return_ | STC.returninferred; TypeFunction tf = cast(TypeFunction)fd.type; if (v == fd.vthis) { /* v is the 'this' reference, so mark the function */ fd.storage_class |= STC.return_ | STC.returninferred; if (tf.ty == Tfunction) { //printf("'this' too %p %s\n", tf, sc.func.toChars()); tf.isreturn = true; tf.isreturninferred = true; } } else { // Perform 'return' inference on parameter if (tf.ty == Tfunction) { foreach (i, p; tf.parameterList) { if (p.ident == v.ident) { p.storageClass |= STC.return_ | STC.returninferred; break; // there can be only one } } } } } /**************************************** * e is an expression to be returned by value, and that value contains pointers. * Walk e to determine which variables are possibly being * returned by value, such as: * int* function(int* p) { return p; } * If e is a form of &p, determine which variables have content * which is being returned as ref, such as: * int* function(int i) { return &i; } * Multiple variables can be inserted, because of expressions like this: * int function(bool b, int i, int* p) { return b ? &i : p; } * * No side effects. * * Params: * e = expression to be returned by value * er = where to place collected data * live = if @live semantics apply, i.e. expressions `p`, `*p`, `**p`, etc., all return `p`. */ void escapeByValue(Expression e, EscapeByResults* er, bool live = false) { //printf("[%s] escapeByValue, e: %s\n", e.loc.toChars(), e.toChars()); extern (C++) final class EscapeVisitor : Visitor { alias visit = Visitor.visit; public: EscapeByResults* er; bool live; extern (D) this(EscapeByResults* er, bool live) { this.er = er; this.live = live; } override void visit(Expression e) { } override void visit(AddrExp e) { /* Taking the address of struct literal is normally not * allowed, but CTFE can generate one out of a new expression, * but it'll be placed in static data so no need to check it. */ if (e.e1.op != TOK.structLiteral) escapeByRef(e.e1, er, live); } override void visit(SymOffExp e) { VarDeclaration v = e.var.isVarDeclaration(); if (v) er.byref.push(v); } override void visit(VarExp e) { if (auto v = e.var.isVarDeclaration()) { if (v.type.hasPointers() || // not tracking non-pointers v.storage_class & STC.lazy_) // lazy variables are actually pointers er.byvalue.push(v); } } override void visit(ThisExp e) { if (e.var) er.byvalue.push(e.var); } override void visit(PtrExp e) { if (live && e.type.hasPointers()) e.e1.accept(this); } override void visit(DotVarExp e) { auto t = e.e1.type.toBasetype(); if (e.type.hasPointers() && (live || t.ty == Tstruct)) { e.e1.accept(this); } } override void visit(DelegateExp e) { Type t = e.e1.type.toBasetype(); if (t.ty == Tclass || t.ty == Tpointer) escapeByValue(e.e1, er, live); else escapeByRef(e.e1, er, live); er.byfunc.push(e.func); } override void visit(FuncExp e) { if (e.fd.tok == TOK.delegate_) er.byfunc.push(e.fd); } override void visit(TupleExp e) { assert(0); // should have been lowered by now } override void visit(ArrayLiteralExp e) { Type tb = e.type.toBasetype(); if (tb.ty == Tsarray || tb.ty == Tarray) { if (e.basis) e.basis.accept(this); foreach (el; *e.elements) { if (el) el.accept(this); } } } override void visit(StructLiteralExp e) { if (e.elements) { foreach (ex; *e.elements) { if (ex) ex.accept(this); } } } override void visit(NewExp e) { Type tb = e.newtype.toBasetype(); if (tb.ty == Tstruct && !e.member && e.arguments) { foreach (ex; *e.arguments) { if (ex) ex.accept(this); } } } override void visit(CastExp e) { if (!e.type.hasPointers()) return; Type tb = e.type.toBasetype(); if (tb.ty == Tarray && e.e1.type.toBasetype().ty == Tsarray) { escapeByRef(e.e1, er, live); } else e.e1.accept(this); } override void visit(SliceExp e) { if (e.e1.op == TOK.variable) { VarDeclaration v = (cast(VarExp)e.e1).var.isVarDeclaration(); Type tb = e.type.toBasetype(); if (v) { if (tb.ty == Tsarray) return; if (v.storage_class & STC.variadic) { er.byvalue.push(v); return; } } } Type t1b = e.e1.type.toBasetype(); if (t1b.ty == Tsarray) { Type tb = e.type.toBasetype(); if (tb.ty != Tsarray) escapeByRef(e.e1, er, live); } else e.e1.accept(this); } override void visit(IndexExp e) { if (e.e1.type.toBasetype().ty == Tsarray || live && e.type.hasPointers()) { e.e1.accept(this); } } override void visit(BinExp e) { Type tb = e.type.toBasetype(); if (tb.ty == Tpointer) { e.e1.accept(this); e.e2.accept(this); } } override void visit(BinAssignExp e) { e.e1.accept(this); } override void visit(AssignExp e) { e.e1.accept(this); } override void visit(CommaExp e) { e.e2.accept(this); } override void visit(CondExp e) { e.e1.accept(this); e.e2.accept(this); } override void visit(CallExp e) { //printf("CallExp(): %s\n", e.toChars()); /* Check each argument that is * passed as 'return scope'. */ Type t1 = e.e1.type.toBasetype(); TypeFunction tf; TypeDelegate dg; if (t1.ty == Tdelegate) { dg = cast(TypeDelegate)t1; tf = cast(TypeFunction)(cast(TypeDelegate)t1).next; } else if (t1.ty == Tfunction) tf = cast(TypeFunction)t1; else return; if (!e.type.hasPointers()) return; if (e.arguments && e.arguments.dim) { /* j=1 if _arguments[] is first argument, * skip it because it is not passed by ref */ int j = tf.isDstyleVariadic(); for (size_t i = j; i < e.arguments.dim; ++i) { Expression arg = (*e.arguments)[i]; size_t nparams = tf.parameterList.length; if (i - j < nparams && i >= j) { Parameter p = tf.parameterList[i - j]; const stc = tf.parameterStorageClass(null, p); if ((stc & (STC.scope_)) && (stc & STC.return_)) arg.accept(this); else if ((stc & (STC.ref_)) && (stc & STC.return_)) { if (tf.isref) { /* Treat: * ref P foo(return ref P p) * as: * p; */ arg.accept(this); } else escapeByRef(arg, er, live); } } } } // If 'this' is returned, check it too if (e.e1.op == TOK.dotVariable && t1.ty == Tfunction) { DotVarExp dve = cast(DotVarExp)e.e1; FuncDeclaration fd = dve.var.isFuncDeclaration(); AggregateDeclaration ad; if (global.params.vsafe && tf.isreturn && fd && (ad = fd.isThis()) !is null) { if (ad.isClassDeclaration() || tf.isScopeQual) // this is 'return scope' dve.e1.accept(this); else if (ad.isStructDeclaration()) // this is 'return ref' { if (tf.isref) { /* Treat calling: * struct S { ref S foo() return; } * as: * this; */ dve.e1.accept(this); } else escapeByRef(dve.e1, er, live); } } else if (dve.var.storage_class & STC.return_ || tf.isreturn) { if (dve.var.storage_class & STC.scope_) dve.e1.accept(this); else if (dve.var.storage_class & STC.ref_) escapeByRef(dve.e1, er, live); } // If it's also a nested function that is 'return scope' if (fd && fd.isNested()) { if (tf.isreturn && tf.isScopeQual) er.byexp.push(e); } } /* If returning the result of a delegate call, the .ptr * field of the delegate must be checked. */ if (dg) { if (tf.isreturn) e.e1.accept(this); } /* If it's a nested function that is 'return scope' */ if (e.e1.op == TOK.variable) { VarExp ve = cast(VarExp)e.e1; FuncDeclaration fd = ve.var.isFuncDeclaration(); if (fd && fd.isNested()) { if (tf.isreturn && tf.isScopeQual) er.byexp.push(e); } } } } scope EscapeVisitor v = new EscapeVisitor(er, live); e.accept(v); } /**************************************** * e is an expression to be returned by 'ref'. * Walk e to determine which variables are possibly being * returned by ref, such as: * ref int function(int i) { return i; } * If e is a form of *p, determine which variables have content * which is being returned as ref, such as: * ref int function(int* p) { return *p; } * Multiple variables can be inserted, because of expressions like this: * ref int function(bool b, int i, int* p) { return b ? i : *p; } * * No side effects. * * Params: * e = expression to be returned by 'ref' * er = where to place collected data * live = if @live semantics apply, i.e. expressions `p`, `*p`, `**p`, etc., all return `p`. */ void escapeByRef(Expression e, EscapeByResults* er, bool live = false) { //printf("[%s] escapeByRef, e: %s\n", e.loc.toChars(), e.toChars()); extern (C++) final class EscapeRefVisitor : Visitor { alias visit = Visitor.visit; public: EscapeByResults* er; bool live; extern (D) this(EscapeByResults* er, bool live) { this.er = er; this.live = live; } override void visit(Expression e) { } override void visit(VarExp e) { auto v = e.var.isVarDeclaration(); if (v) { if (v.storage_class & STC.ref_ && v.storage_class & (STC.foreach_ | STC.temp) && v._init) { /* If compiler generated ref temporary * (ref v = ex; ex) * look at the initializer instead */ if (ExpInitializer ez = v._init.isExpInitializer()) { assert(ez.exp && ez.exp.op == TOK.construct); Expression ex = (cast(ConstructExp)ez.exp).e2; ex.accept(this); } } else er.byref.push(v); } } override void visit(ThisExp e) { if (e.var && e.var.toParent2().isFuncDeclaration().isThis2) escapeByValue(e, er, live); else if (e.var) er.byref.push(e.var); } override void visit(PtrExp e) { escapeByValue(e.e1, er, live); } override void visit(IndexExp e) { Type tb = e.e1.type.toBasetype(); if (e.e1.op == TOK.variable) { VarDeclaration v = (cast(VarExp)e.e1).var.isVarDeclaration(); if (tb.ty == Tarray || tb.ty == Tsarray) { if (v && v.storage_class & STC.variadic) { er.byref.push(v); return; } } } if (tb.ty == Tsarray) { e.e1.accept(this); } else if (tb.ty == Tarray) { escapeByValue(e.e1, er, live); } } override void visit(StructLiteralExp e) { if (e.elements) { foreach (ex; *e.elements) { if (ex) ex.accept(this); } } er.byexp.push(e); } override void visit(DotVarExp e) { Type t1b = e.e1.type.toBasetype(); if (t1b.ty == Tclass) escapeByValue(e.e1, er, live); else e.e1.accept(this); } override void visit(BinAssignExp e) { e.e1.accept(this); } override void visit(AssignExp e) { e.e1.accept(this); } override void visit(CommaExp e) { e.e2.accept(this); } override void visit(CondExp e) { e.e1.accept(this); e.e2.accept(this); } override void visit(CallExp e) { //printf("escapeByRef.CallExp(): %s\n", e.toChars()); /* If the function returns by ref, check each argument that is * passed as 'return ref'. */ Type t1 = e.e1.type.toBasetype(); TypeFunction tf; if (t1.ty == Tdelegate) tf = cast(TypeFunction)(cast(TypeDelegate)t1).next; else if (t1.ty == Tfunction) tf = cast(TypeFunction)t1; else return; if (tf.isref) { if (e.arguments && e.arguments.dim) { /* j=1 if _arguments[] is first argument, * skip it because it is not passed by ref */ int j = tf.isDstyleVariadic(); for (size_t i = j; i < e.arguments.dim; ++i) { Expression arg = (*e.arguments)[i]; size_t nparams = tf.parameterList.length; if (i - j < nparams && i >= j) { Parameter p = tf.parameterList[i - j]; const stc = tf.parameterStorageClass(null, p); if ((stc & (STC.out_ | STC.ref_)) && (stc & STC.return_)) arg.accept(this); else if ((stc & STC.scope_) && (stc & STC.return_)) { if (arg.op == TOK.delegate_) { DelegateExp de = cast(DelegateExp)arg; if (de.func.isNested()) er.byexp.push(de); } else escapeByValue(arg, er, live); } } } } // If 'this' is returned by ref, check it too if (e.e1.op == TOK.dotVariable && t1.ty == Tfunction) { DotVarExp dve = cast(DotVarExp)e.e1; // https://issues.dlang.org/show_bug.cgi?id=20149#c10 if (dve.var.isCtorDeclaration()) { er.byexp.push(e); return; } if (dve.var.storage_class & STC.return_ || tf.isreturn) { if (dve.var.storage_class & STC.ref_ || tf.isref) dve.e1.accept(this); else if (dve.var.storage_class & STC.scope_ || tf.isScopeQual) escapeByValue(dve.e1, er, live); } // If it's also a nested function that is 'return ref' FuncDeclaration fd = dve.var.isFuncDeclaration(); if (fd && fd.isNested()) { if (tf.isreturn) er.byexp.push(e); } } // If it's a delegate, check it too if (e.e1.op == TOK.variable && t1.ty == Tdelegate) { escapeByValue(e.e1, er, live); } /* If it's a nested function that is 'return ref' */ if (e.e1.op == TOK.variable) { VarExp ve = cast(VarExp)e.e1; FuncDeclaration fd = ve.var.isFuncDeclaration(); if (fd && fd.isNested()) { if (tf.isreturn) er.byexp.push(e); } } } else er.byexp.push(e); } } scope EscapeRefVisitor v = new EscapeRefVisitor(er, live); e.accept(v); } /************************************ * Aggregate the data collected by the escapeBy??() functions. */ struct EscapeByResults { VarDeclarations byref; // array into which variables being returned by ref are inserted VarDeclarations byvalue; // array into which variables with values containing pointers are inserted FuncDeclarations byfunc; // nested functions that are turned into delegates Expressions byexp; // array into which temporaries being returned by ref are inserted /** Reset arrays so the storage can be used again */ void reset() { byref.setDim(0); byvalue.setDim(0); byfunc.setDim(0); byexp.setDim(0); } } /************************* * Find all variables accessed by this delegate that are * in functions enclosing it. * Params: * fd = function * vars = array to append found variables to */ public void findAllOuterAccessedVariables(FuncDeclaration fd, VarDeclarations* vars) { //printf("findAllOuterAccessedVariables(fd: %s)\n", fd.toChars()); for (auto p = fd.parent; p; p = p.parent) { auto fdp = p.isFuncDeclaration(); if (!fdp) continue; foreach (v; fdp.closureVars) { foreach (const fdv; v.nestedrefs) { if (fdv == fd) { //printf("accessed: %s, type %s\n", v.toChars(), v.type.toChars()); vars.push(v); } } } } } /*********************************** * Turn off `STC.maybescope` for variable `v`. * * This exists in order to find where `STC.maybescope` is getting turned off. * Params: * v = variable */ version (none) { public void notMaybeScope(string file = __FILE__, int line = __LINE__)(VarDeclaration v) { printf("%.*s(%d): notMaybeScope('%s')\n", cast(int)file.length, file.ptr, line, v.toChars()); v.storage_class &= ~STC.maybescope; } } else { public void notMaybeScope(VarDeclaration v) { v.storage_class &= ~STC.maybescope; } } /********************************************** * Have some variables that are maybescopes that were * assigned values from other maybescope variables. * Now that semantic analysis of the function is * complete, we can finalize this by turning off * maybescope for array elements that cannot be scope. * * $(TABLE2 Scope Table, * $(THEAD `va`, `v`, =>, `va` , `v` ) * $(TROW maybe, maybe, =>, scope, scope) * $(TROW scope, scope, =>, scope, scope) * $(TROW scope, maybe, =>, scope, scope) * $(TROW maybe, scope, =>, scope, scope) * $(TROW - , - , =>, - , - ) * $(TROW - , maybe, =>, - , - ) * $(TROW - , scope, =>, error, error) * $(TROW maybe, - , =>, scope, - ) * $(TROW scope, - , =>, scope, - ) * ) * Params: * array = array of variables that were assigned to from maybescope variables */ public void eliminateMaybeScopes(VarDeclaration[] array) { enum log = false; if (log) printf("eliminateMaybeScopes()\n"); bool changes; do { changes = false; foreach (va; array) { if (log) printf(" va = %s\n", va.toChars()); if (!(va.storage_class & (STC.maybescope | STC.scope_))) { if (va.maybes) { foreach (v; *va.maybes) { if (log) printf(" v = %s\n", v.toChars()); if (v.storage_class & STC.maybescope) { // v cannot be scope since it is assigned to a non-scope va notMaybeScope(v); if (!(v.storage_class & (STC.ref_ | STC.out_))) v.storage_class &= ~(STC.return_ | STC.returninferred); changes = true; } } } } } } while (changes); } /************************************************ * Is type a reference to a mutable value? * * This is used to determine if an argument that does not have a corresponding * Parameter, i.e. a variadic argument, is a pointer to mutable data. * Params: * t = type of the argument * Returns: * true if it's a pointer (or reference) to mutable data */ bool isReferenceToMutable(Type t) { t = t.baseElemOf(); if (!t.isMutable() || !t.hasPointers()) return false; switch (t.ty) { case Tpointer: if (t.nextOf().isTypeFunction()) break; goto case; case Tarray: case Taarray: case Tdelegate: if (t.nextOf().isMutable()) return true; break; case Tclass: return true; // even if the class fields are not mutable case Tstruct: // Have to look at each field foreach (VarDeclaration v; t.isTypeStruct().sym.fields) { if (v.storage_class & STC.ref_) { if (v.type.isMutable()) return true; } else if (v.type.isReferenceToMutable()) return true; } break; default: assert(0); } return false; } /**************************************** * Is parameter a reference to a mutable value? * * This is used if an argument has a corresponding Parameter. * The argument type is necessary if the Parameter is inout. * Params: * p = Parameter to check * t = type of corresponding argument * Returns: * true if it's a pointer (or reference) to mutable data */ bool isReferenceToMutable(Parameter p, Type t) { if (p.isReference()) { if (p.type.isConst() || p.type.isImmutable()) return false; if (p.type.isWild()) { return t.isMutable(); } return p.type.isMutable(); } return isReferenceToMutable(p.type); }
D
import std.stdio; import HelloService; import hunt.service; import hunt.net; import neton.client.NetonOption; void main() { NetUtil.startEventLoop(); RegistryConfig conf = {"127.0.0.1",50051,"example.provider"}; auto providerFactory = new ServiceProviderFactory("127.0.0.1",7788); // providerFactory.setRegistry(conf); providerFactory.addService(new HelloService()); providerFactory.start(); }
D
import std.stdio; import std.conv; import std.algorithm; import std.array; import std.ascii; void main() { const numbers = File("input.txt") .byLine(KeepTerminator.no, newline) .map!(to!int).array; // [1,2,3,4] foreach(index, first; numbers) { foreach(second; numbers[index .. $]) { if(first + second < 2020) { foreach(third; numbers) { if(first + second + third == 2020) { writeln(first * second * third); return; } } } } } }
D
module ast.aggregate_parse; import ast.aggregate, ast.parse, ast.base, ast.scopes, ast.namespace, ast.fun, ast.modules; Statement parseAggregateBody(ref string text, ParseCb rest, bool error = false, void delegate(Statement) outdg = null) { auto t2 = text; AggrStatement as; // I think this has to be here so that even the first statement is already added to the scope. TODO confirm. Statement st; if (t2.many(!!rest(t2, "tree.stmt"[], &st), { if (outdg) outdg(st); else as.stmts ~= st; }, "}")) { text = t2; if (outdg) return Single!(NoOp); else return as; } else { if (error) t2.failparse("Could not parse statement"); return null; } } Statement parseFullAggregateBody(ref string src, ParseCb rest) { auto sc = namespace().get!(Scope); parseAggregateBody(src, rest, true, &sc.addStatement); src.eatComments(); src = src.mystripl(); if (src.length) { src.failparse("unknown text in aggregate body"); } return Single!(NoOp); } Object gotAggregateStmt(ref string text, ParseCb cont, ParseCb rest) { auto t2 = text; auto sc = fastalloc!(Scope)(); sc.configPosition(text); namespace.set(sc); scope(exit) namespace.set(sc.sup); if (auto as = t2.parseAggregateBody(rest, false, &sc.addStatement)) { string tryId; if (!t2.accept("}")) { auto t3 = t2; if (t2.gotIdentifier(tryId)) { if (auto hint = locate_name(tryId)) { t3.failparse("unknown statement: identifier '", tryId, "' appears in ", hint, ", which was not imported here"); } } t2 = t3; if (t2.accept(";")) { t3.failparse("semicolon found where no semicolon was expected"); } t3.failparse("unknown statement"); } text = t2; return sc; } else return null; } mixin DefaultParser!(gotAggregateStmt, "tree.stmt.aggregate"[], "131"[], "{"[]); Object gotRestStmt(ref string text, ParseCb cont, ParseCb rest) { auto t2 = text; auto sc = new Scope; sc.configPosition(text); namespace.set(sc); scope(exit) namespace.set(sc.sup); auto as = new AggrStatement; sc.addStatement(as); Statement st; t2.many(!!rest(t2, "tree.stmt"[], &st), { as.stmts ~= st; }); auto t3 = t2; if (t3.mystripl().length) t3.mustAccept("}"[], "Unterminated rest statement: "[]); text = t2; return sc; } mixin DefaultParser!(gotRestStmt, "tree.stmt.aggregate.rest"[], "132"[], "::"[]);
D
#source: attr-gnu-4-0.s #source: attr-gnu-4-1.s #as: -a32 #ld: -r -melf32ppc #readelf: -A #target: powerpc*-*-* Attribute Section: gnu File Attributes Tag_GNU_Power_ABI_FP: hard float, unspecified long double
D
module sceneparser.statements.BoundingObjectStatement; import sceneparser.general.Context; import sceneparser.general.Statement; class BoundingObjectStatement: Statement { string type; Statement statement; public this(Context context, string type, Statement statement) { super(context); this.type = type; this.statement = statement; } public override void Execute() { statement.Execute(); } }
D
/Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/GroupedObservable.o : /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AddRef.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Amb.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/AnonymousInvocable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AnonymousObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsMaybe.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsSingle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Buffer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Cancelable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Catch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Concat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ConnectableObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debounce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DefaultIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Deferred.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Delay.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DelaySubscription.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Deprecated.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DistinctUntilChanged.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Do.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ElementAt.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Empty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Error.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Errors.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Event.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Filter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Generate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/GroupBy.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ImmediateScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Just.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Map.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Merge.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Multicast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Never.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Aggregate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Binding.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Concurrency.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Creation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Multiple.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Single.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+StandardSequenceOperators.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Time.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOnSerialDispatchQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObserverType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Optional.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Linux.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence+Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Producer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Range.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Reactive.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/RecursiveLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Reduce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RefCount.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Repeat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RetryWhen.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sample.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Scan.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1WhileConnected.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SingleAsync.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Skip.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/StartWith.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SubscribeOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Switch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SwitchIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedSubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Take.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeLast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Throttle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timeout.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ToArray.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Using.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/Variable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Window.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/WithLatestFrom.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/netnorimingconception/utils/GeoFence/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.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 /Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/GroupedObservable~partial.swiftmodule : /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AddRef.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Amb.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/AnonymousInvocable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AnonymousObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsMaybe.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsSingle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Buffer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Cancelable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Catch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Concat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ConnectableObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debounce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DefaultIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Deferred.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Delay.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DelaySubscription.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Deprecated.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DistinctUntilChanged.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Do.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ElementAt.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Empty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Error.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Errors.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Event.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Filter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Generate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/GroupBy.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ImmediateScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Just.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Map.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Merge.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Multicast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Never.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Aggregate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Binding.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Concurrency.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Creation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Multiple.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Single.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+StandardSequenceOperators.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Time.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOnSerialDispatchQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObserverType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Optional.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Linux.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence+Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Producer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Range.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Reactive.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/RecursiveLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Reduce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RefCount.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Repeat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RetryWhen.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sample.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Scan.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1WhileConnected.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SingleAsync.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Skip.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/StartWith.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SubscribeOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Switch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SwitchIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedSubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Take.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeLast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Throttle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timeout.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ToArray.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Using.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/Variable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Window.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/WithLatestFrom.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/netnorimingconception/utils/GeoFence/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.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 /Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/GroupedObservable~partial.swiftdoc : /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AddRef.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Amb.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/AnonymousInvocable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AnonymousObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsMaybe.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/AsSingle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Buffer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Cancelable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Catch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/CombineLatest.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Concat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ConnectableObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debounce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DefaultIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Deferred.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Delay.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DelaySubscription.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Deprecated.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/DistinctUntilChanged.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Do.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ElementAt.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Empty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Error.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Errors.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Event.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Filter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Generate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/GroupBy.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/ImmediateScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Just.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Map.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Merge.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Multicast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Never.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Aggregate.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Binding.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Concurrency.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Creation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Debug.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Multiple.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Single.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+StandardSequenceOperators.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Observable+Time.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObservableType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ObserveOnSerialDispatchQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/ObserverType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Optional.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/Platform.Linux.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence+Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Units/PrimitiveSequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Producer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Range.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Reactive.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/Platform/RecursiveLock.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Reduce.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RefCount.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Repeat.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/RetryWhen.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sample.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Scan.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sequence.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ShareReplay1WhileConnected.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SingleAsync.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Sink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Skip.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SkipWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/StartWith.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SubscribeOn.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Switch.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/SwitchIfEmpty.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedSubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Take.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeLast.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeUntil.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/TakeWhile.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Throttle.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timeout.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Timer.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/ToArray.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Using.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Subjects/Variable.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Window.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/WithLatestFrom.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+arity.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip+Collection.swift /Users/netnorimingconception/utils/GeoFence/Pods/RxSwift/RxSwift/Observables/Implementations/Zip.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/netnorimingconception/utils/GeoFence/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.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
D
/* * Copyright (C) 2017 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. */ package com.android.server.wifi; import android.net.NetworkAgent; import android.net.wifi.WifiInfo; /** * Base class for connection scoring */ public abstract class ConnectedScore { /** Maximum NetworkAgent score that should be generated by wifi */ public static final int WIFI_MAX_SCORE = NetworkAgent.WIFI_BASE_SCORE; /** Score at which wifi is considered poor enough to give up ant try something else */ public static final int WIFI_TRANSITION_SCORE = NetworkAgent.WIFI_BASE_SCORE - 10; public static final int WIFI_MIN_SCORE = 0; final Clock mClock; /** This is a typical STD for the connected RSSI for a phone sitting still */ public double mDefaultRssiStandardDeviation = 2.0; /** * * @param clock is the time source for getMillis() */ public ConnectedScore(Clock clock) { mClock = clock; } /** * Returns the current time in milliseconds * * This time is to be passed into the update methods. * The scoring methods generally don't need a particular epoch, depending * only on deltas. So a different time source may be used, as long as it is consistent. * * Note that when there are long intervals between updates, it is unlikely to matter much * how large the interval is, so a time source that does not update while the processor is * asleep could be just fine. * * @return millisecond-resolution time. */ public long getMillis() { return mClock.getWallClockMillis(); } /** * Updates scoring state using RSSI alone * * @param rssi signal strength (dB). * @param millis millisecond-resolution time. */ public void updateUsingRssi(int rssi, long millis) { updateUsingRssi(rssi, millis, mDefaultRssiStandardDeviation); } /** * Updates scoring state using RSSI and noise estimate * * This is useful if an RSSI comes from another source (e.g. scan results) and the * expected noise varies by source. * * @param rssi signal strength (dB). * @param millis millisecond-resolution time. * @param standardDeviation of the RSSI. */ public abstract void updateUsingRssi(int rssi, long millis, double standardDeviation); /** * Updates the score using relevant parts of WifiInfo * * @param wifiInfo object holding relevant values. * @param millis millisecond-resolution time. */ public void updateUsingWifiInfo(WifiInfo wifiInfo, long millis) { updateUsingRssi(wifiInfo.getRssi(), millis); } /** * Generates a score based on the current state * * @return network score - on NetworkAgent scale. */ public abstract int generateScore(); /** * Clears out state associated with the connection */ public abstract void reset(); }
D
/** * D header file for GNU/Linux. * * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Authors: Paul O'Neil */ module core.sys.linux.sys.socket; public import core.sys.posix.sys.socket; version (linux): extern(C): @nogc: nothrow: enum { // Protocol families. PF_UNSPEC = 0, PF_LOCAL = 1, PF_UNIX = PF_LOCAL, PF_FILE = PF_LOCAL, PF_INET = 2, PF_AX25 = 3, PF_NETROM = 6, PF_BRIDGE = 7, PF_ATMPVC = 8, PF_X25 = 9, PF_INET6 = 10, PF_ROSE = 11, PF_DECnet = 12, PF_NETBEUI = 13, PF_SECURITY = 14, PF_KEY = 15, PF_NETLINK = 16, PF_ROUTE = PF_NETLINK, PF_PACKET = 17, PF_ASH = 18, PF_ECONET = 19, PF_ATMSVC = 20, PF_RDS = 21, PF_SNA = 22, PF_IRDA = 23, PF_PPPOX = 24, PF_WANPIPE = 25, PF_LLC = 26, PF_IB = 27, PF_MPLS = 28, PF_CAN = 29, PF_TIPC = 30, PF_BLUETOOTH = 31, PF_IUCV = 32, PF_RXRPC = 33, PF_ISDN = 34, PF_PHONET = 35, PF_IEEE802154 = 36, PF_CAIF = 37, PF_ALG = 38, PF_NFC = 39, PF_VSOCK = 40, PF_KCM = 41, PF_QIPCRTR = 42, PF_SMC = 43, PF_MAX = 44, // Address families. AF_LOCAL = PF_LOCAL, AF_FILE = AF_LOCAL, AF_AX25 = PF_AX25, AF_NETROM = PF_NETROM, AF_BRIDGE = PF_BRIDGE, AF_ATMPVC = PF_ATMPVC, AF_X25 = PF_X25, AF_INET6 = PF_INET6, AF_ROSE = PF_ROSE, AF_DECnet = PF_DECnet, AF_NETBEUI = PF_NETBEUI, AF_SECURITY = PF_SECURITY, AF_KEY = PF_KEY, AF_NETLINK = PF_NETLINK, AF_ROUTE = PF_ROUTE, AF_PACKET = PF_PACKET, AF_ASH = PF_ASH, AF_ECONET = PF_ECONET, AF_ATMSVC = PF_ATMSVC, AF_RDS = PF_RDS, AF_SNA = PF_SNA, AF_IRDA = PF_IRDA, AF_PPPOX = PF_PPPOX, AF_WANPIPE = PF_WANPIPE, AF_LLC = PF_LLC, AF_IB = PF_IB, AF_MPLS = PF_MPLS, AF_CAN = PF_CAN, AF_TIPC = PF_TIPC, AF_BLUETOOTH = PF_BLUETOOTH, AF_IUCV = PF_IUCV, AF_RXRPC = PF_RXRPC, AF_ISDN = PF_ISDN, AF_PHONET = PF_PHONET, AF_IEEE802154 = PF_IEEE802154, AF_CAIF = PF_CAIF, AF_ALG = PF_ALG, AF_NFC = PF_NFC, AF_VSOCK = PF_VSOCK, AF_KCM = PF_KCM, AF_QIPCRTR = PF_QIPCRTR, AF_SMC = PF_SMC, AF_MAX = PF_MAX, } // For getsockopt() and setsockopt() enum { SO_SECURITY_AUTHENTICATION = 22, SO_SECURITY_ENCRYPTION_TRANSPORT = 23, SO_SECURITY_ENCRYPTION_NETWORK = 24, SO_BINDTODEVICE = 25, SO_ATTACH_FILTER = 26, SO_DETACH_FILTER = 27, SO_GET_FILTER = SO_ATTACH_FILTER, SO_PEERNAME = 28, SO_TIMESTAMP = 29, SCM_TIMESTAMP = SO_TIMESTAMP, SO_PASSSEC = 34, SO_TIMESTAMPNS = 35, SCM_TIMESTAMPNS = SO_TIMESTAMPNS, SO_MARK = 36, SO_TIMESTAMPING = 37, SCM_TIMESTAMPING = SO_TIMESTAMPING, SO_RXQ_OVFL = 40, SO_WIFI_STATUS = 41, SCM_WIFI_STATUS = SO_WIFI_STATUS, SO_PEEK_OFF = 42, SO_NOFCS = 43, SO_LOCK_FILTER = 44, SO_SELECT_ERR_QUEUE = 45, SO_BUSY_POLL = 46, SO_MAX_PACING_RATE = 47, SO_BPF_EXTENSIONS = 48, SO_INCOMING_CPU = 49, SO_ATTACH_BPF = 50, SO_DETACH_BPF = SO_DETACH_FILTER, SO_ATTACH_REUSEPORT_CBPF = 51, SO_ATTACH_REUSEPORT_EBPF = 52, SO_CNX_ADVICE = 53, SCM_TIMESTAMPING_OPT_STATS = 54, SO_MEMINFO = 55, SO_INCOMING_NAPI_ID = 56, SO_COOKIE = 57, SCM_TIMESTAMPING_PKTINFO = 58, SO_PEERGROUPS = 59, SO_ZEROCOPY = 60, } enum : uint { MSG_TRYHARD = 0x04, MSG_PROXY = 0x10, MSG_DONTWAIT = 0x40, MSG_FIN = 0x200, MSG_SYN = 0x400, MSG_CONFIRM = 0x800, MSG_RST = 0x1000, MSG_ERRQUEUE = 0x2000, MSG_MORE = 0x8000, MSG_WAITFORONE = 0x10000, MSG_BATCH = 0x40000, MSG_ZEROCOPY = 0x4000000, MSG_FASTOPEN = 0x20000000, MSG_CMSG_CLOEXEC = 0x40000000 }
D
import core.stdcpp.array; extern (C++) int test_array() { array!(int, 5) arr; arr[] = [0, 2, 3, 4, 5]; ++arr.front; assert(arr.size == 5); assert(arr.length == 5); assert(arr.max_size == 5); assert(arr.empty == false); assert(arr.front == 1); assert(sumOfElements_val(arr)[0] == 160); assert(sumOfElements_ref(arr)[0] == 15); array!(int, 0) arr2; assert(arr2.size == 0); assert(arr2.length == 0); assert(arr2.max_size == 0); assert(arr2.empty == true); assert(arr2[] == []); return 0; } extern(C++): // test the ABI for calls to C++ array!(int, 5) sumOfElements_val(array!(int, 5) arr); ref array!(int, 5) sumOfElements_ref(return ref array!(int, 5) arr); // test the ABI for calls from C++ array!(int, 5) fromC_val(array!(int, 5) arr) { assert(arr[] == [1, 2, 3, 4, 5]); assert(arr.front == 1); assert(arr.back == 5); assert(arr.at(2) == 3); arr.fill(2); int r; foreach (e; arr) r += e; assert(r == 10); arr[] = r; return arr; } ref array!(int, 5) fromC_ref(return ref array!(int, 5) arr) { int r; foreach (e; arr) r += e; arr[] = r; return arr; }
D
/// Minimalistic low-overhead wrapper for nodejs/http-parser /// Used for benchmarks with simple server module http.Parser; import http.Common; import hunt.logging.ConsoleLogger; import std.conv; import std.range.primitives; import core.stdc.string; import std.experimental.allocator; /* contains name and value of a header (name == NULL if is a continuing line * of a multiline header */ struct phr_header { const char *name; size_t name_len; const char *value; size_t value_len; } /* returns number of bytes consumed if successful, -2 if request is partial, * -1 if failed */ extern (C) pure @nogc nothrow int phr_parse_request(const char *buf, size_t len, const char **method, size_t *method_len, const char **path, size_t *path_len, int *minor_version, phr_header *headers, size_t *num_headers, size_t last_len); /* ditto */ extern (C) pure @nogc nothrow int phr_parse_response(const char *_buf, size_t len, int *minor_version, int *status, const char **msg, size_t *msg_len, phr_header *headers, size_t *num_headers, size_t last_len); /* ditto */ extern (C) pure @nogc nothrow int phr_parse_headers(const char *buf, size_t len, phr_header *headers, size_t *num_headers, size_t last_len); /* should be zero-filled before start */ struct phr_chunked_decoder { size_t bytes_left_in_chunk; /* number of bytes left in current chunk */ char consume_trailer; /* if trailing headers should be consumed */ char _hex_count; char _state; } /* the function rewrites the buffer given as (buf, bufsz) removing the chunked- * encoding headers. When the function returns without an error, bufsz is * updated to the length of the decoded data available. Applications should * repeatedly call the function while it returns -2 (incomplete) every time * supplying newly arrived data. If the end of the chunked-encoded data is * found, the function returns a non-negative number indicating the number of * octets left undecoded at the tail of the supplied buffer. Returns -1 on * error. */ extern (C) pure @nogc nothrow ptrdiff_t phr_decode_chunked(phr_chunked_decoder *decoder, char *buf, size_t *bufsz); /* returns if the chunked decoder is in middle of chunked data */ extern (C) pure @nogc nothrow int phr_decode_chunked_is_in_data(phr_chunked_decoder *decoder); // =========== Public interface starts here ============= public: class HttpException : Exception { HttpError error; pure @nogc nothrow this(HttpError error, string file = __FILE__, size_t line = __LINE__, Throwable nextInChain = null) { this.error = error; super("Http exception", file, line, nextInChain); } } struct HttpParser(Interceptor) { private { Interceptor interceptor; Throwable failure; phr_header[50] _headers; char *_method; char *path; int minor_version; size_t buflen = 0, prevbuflen = 0, method_len, path_len, num_headers; } alias interceptor this; this(Interceptor interceptor) { this.interceptor = interceptor; } @property bool status() pure @safe nothrow { return failure is null; } string uri(bool canCopy=false)() { static if(canCopy) { return cast(string)path[0..path_len].dup; } else { return cast(string)path[0..path_len]; } } @property HttpMethod method() { string s = cast(string)_method[0..method_len]; return to!HttpMethod(s); } HttpHeader[] headers(bool canCopy=false)() { HttpHeader[] hs = new HttpHeader[num_headers]; //HttpHeader[] hs = theAllocator.make!(HttpHeader[num_headers]); for(int i; i<num_headers; i++) { phr_header* h = &_headers[i]; static if(canCopy) { hs[i].name = cast(string)h.name[0..h.name_len].idup; hs[i].value = cast(string)h.value[0..h.value_len].idup; } else { hs[i].name = cast(string)h.name[0..h.name_len]; hs[i].value = cast(string)h.value[0..h.value_len]; } } return hs; } @property bool shouldKeepAlive() pure nothrow { return true; } @property ushort httpMajor() @safe pure nothrow { return 1; } @property ushort httpMinor() @safe pure nothrow { return cast(ushort)minor_version; } int execute(const(ubyte)[] str) { return doexecute( str); } private int doexecute(const(ubyte)[] chunk) { debug trace(cast(string)chunk); failure = null; num_headers = cast(int)_headers.length; int pret = phr_parse_request(cast(const char*)chunk.ptr, cast(int)chunk.length, &_method, &method_len, &path, &path_len, &minor_version, _headers.ptr, &num_headers, 0); debug { infof("buffer: %d bytes, request: %d bytes", chunk.length, pret); } if(pret > 0) { /* successfully parsed the request */ onMessageComplete(); if(pret < chunk.length) { debug infof("try to parse next request"); pret += doexecute(chunk[pret .. $]); // try to parse next http request data } debug infof("pret=%d", pret); return pret; } else if(pret == -2) { debug warning("parsing incomplete"); num_headers = 0; debug infof("pret=%d, chunk=%d", pret, chunk.length); return 0; } warning("wrong data format"); num_headers = 0; failure = new HttpException(HttpError.UNKNOWN); throw failure; } void onMessageComplete() { // interceptor.onHeadersComplete(); debug { tracef("method is %s", _method[0..method_len]); tracef("path is %s", path[0..path_len]); tracef("HTTP version is 1.%d", minor_version); foreach(ref phr_header h; _headers[0..num_headers]) { tracef("Header: %s = %s", h.name[0..h.name_len], h.value[0..h.value_len]); } } interceptor.onMessageComplete(); } } auto httpParser(Interceptor)(Interceptor interceptor) { return HttpParser!Interceptor(interceptor); }
D
/home/julio/projects/coding/rustarm/gtk-rs/glade/target/rls/debug/deps/proc_macro_crate-6b351b1738c1fe13.rmeta: /home/julio/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-crate-0.1.5/src/lib.rs /home/julio/projects/coding/rustarm/gtk-rs/glade/target/rls/debug/deps/libproc_macro_crate-6b351b1738c1fe13.rlib: /home/julio/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-crate-0.1.5/src/lib.rs /home/julio/projects/coding/rustarm/gtk-rs/glade/target/rls/debug/deps/proc_macro_crate-6b351b1738c1fe13.d: /home/julio/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-crate-0.1.5/src/lib.rs /home/julio/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-crate-0.1.5/src/lib.rs:
D
/******************************************************************************* Full-duplex client connection with authentication. Copyright: Copyright (c) 2016-2017 dunnhumby Germany GmbH. All rights reserved License: Boost Software License Version 1.0. See LICENSE.txt for details. *******************************************************************************/ module swarm.neo.node.Connection; /******************************************************************************/ import swarm.neo.connection.ConnectionBase; /******************************************************************************/ class Connection: ConnectionBase { import swarm.neo.protocol.Message: RequestId; import swarm.neo.node.RequestSet; import swarm.neo.protocol.connect.NodeConnect; import swarm.neo.authentication.HmacDef: Key; import swarm.neo.connection.YieldedRequestOnConns; import ocean.core.Enforce; import ocean.io.select.EpollSelectDispatcher; import ocean.sys.socket.AddressIPSocket; import ocean.transition; debug (SwarmConn) import ocean.io.Stdout_tango; /*************************************************************************** Convenience alias ***************************************************************************/ alias RequestSet.RequestPool RequestPool; /*************************************************************************** The request set for this connection. ***************************************************************************/ private RequestSet request_set; /*************************************************************************** Connection authenticator / establisher ***************************************************************************/ private NodeConnect conn_init; /*************************************************************************** Notifier for the user of this class (i.e. `ConnectionHandler`) when this connection is closed. ***************************************************************************/ private void delegate ( ) when_closed; /*************************************************************************** Flag for `connect`, tells whether it is called right after the client connection was accepted (true) or after it has shut down (false). ***************************************************************************/ private bool first_connect_attempt; /*************************************************************************** Constructor. Params: credentials = reference to the client keys by client name, can be updated by the node socket = the client connection socket, does not need to be open or connected at this point epoll = the epoll select dispatcher request_handler = the request handler used by this connection when_closed = called when this connection is closed request_pool = global pool of `Request` objects shared across multiple instances of this class task_resumer = global resumer to resume yielded `RequestOnConn`s ***************************************************************************/ public this ( ref Const!(Key[istring]) credentials, AddressIPSocket!() socket, EpollSelectDispatcher epoll, RequestSet.Handler request_handler, void delegate ( ) when_closed, RequestPool request_pool, YieldedRequestOnConns task_resumer ) { super(socket, epoll); this.request_set = new RequestSet(this, request_pool, task_resumer, request_handler); this.conn_init = new NodeConnect(credentials); this.when_closed = when_closed; } /*************************************************************************** Starts the engine: - Initialises the connection including authentication, - registers the socket for reading, - starts the send and receive fiber. ***************************************************************************/ override public void start ( ) { this.first_connect_attempt = true; super.start(); } /*************************************************************************** Returns: the name of the connected client or an empty string, if the connection has not been successfully established ***************************************************************************/ public cstring connected_client ( ) { return this.conn_init.connected_client; } /*************************************************************************** Performs the connection shutdown. Params: e = the exception reflecting the error ***************************************************************************/ override protected void shutdownImpl ( Exception e ) { debug (SwarmConn) { Stdout.formatln("node connection shutdown \"{}\" @{}:{}", e.message(), e.file, e.line); scope (success) Stdout.formatln("node connection shutdown success"); scope (failure) Stdout.formatln("node connection shutdown failure"); } super.shutdownImpl(e); // super.shutdownImpl will only shutdown requests registered for // receiving or sending. There may also be requests that are registered // for neither sending nor receiving which need to be shutdown. this.request_set.shutdownAll(e); this.when_closed(); // Clear client data from the connection helper. this.conn_init.reset(); } /*************************************************************************** Called from the send fiber before the send/receive loops are started. Sets up the client connection socket and does the protocol version handshake and the client authentication. Expects this.socket to be connected to the client. Returns: on the first call after the client connection was accepted: true, to start the send/receive loops on subsequent calls, i.e. after a connection shutdown: false, to exit Throws: - `ProtocolError` on incompatible client/node protocol version, - `ProtocolError` on message protocol error, - `HmacAuthCode.RejectedException` if the the authentication was rejected, - `IOError` on I/O or socket error. ***************************************************************************/ override protected bool connect ( ) { if ( !this.first_connect_attempt ) return false; this.first_connect_attempt = false; this.enableKeepAlive(this.socket); // If authentication fails the connection is simply disconnected and // returned to the pool. this.conn_init.authenticate(this.socket.fd, this.send_loop, this.epoll, this.receiver, this.sender, this.protocol_error_); return true; } /*************************************************************************** Called with a request id that was just popped from the message queue. Passes the payload of the message this request wants to `send`. If the request not exist any more, for whatever reason, then `send` is not called. Params: id = the request id send = the output delegate to call once with the message payload ***************************************************************************/ override protected void getPayloadForSending ( RequestId id, void delegate ( in void[][] payload ) send ) { if (auto request = this.request_set.getRequest(id)) { request.getPayloadForSending(send); } } /*************************************************************************** Called when a request message has arrived. Passes `payload` to the request, if there is one waiting for a message to arrive. Params: id = the request id send = the request message payload ***************************************************************************/ override protected void setReceivedPayload ( RequestId id, Const!(void)[] payload ) { this.request_set.getOrCreateRequest(id).setReceivedPayload(payload); } /*************************************************************************** Called for all request ids in the message queue and the registry of those waiting for a message to arrive when `shutdown` was called so that these requests are aborted. `shutdown` is called by the super class if an I/O or protocol error happens. If a request id is in both the message queue and the registry of receivers then this method is called ony once with that request id. This method should not throw. Params: id = the request id e = the exception reflecting the reason for the shutdown ***************************************************************************/ override protected void notifyShutdown ( RequestId id, Exception e ) { if (auto request = this.request_set.getRequest(id)) request.notifyShutdown(e); } }
D
instance DIA_EHNIM_EXIT(C_INFO) { npc = bau_944_ehnim; nr = 999; condition = dia_ehnim_exit_condition; information = dia_ehnim_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_ehnim_exit_condition() { return TRUE; }; func void dia_ehnim_exit_info() { AI_StopProcessInfos(self); }; instance DIA_EHNIM_HALLO(C_INFO) { npc = bau_944_ehnim; nr = 3; condition = dia_ehnim_hallo_condition; information = dia_ehnim_hallo_info; description = "Kdo jsi?"; }; func int dia_ehnim_hallo_condition() { return TRUE; }; func void dia_ehnim_hallo_info() { AI_Output(other,self,"DIA_Ehnim_HALLO_15_00"); //Kdo jsi? AI_Output(self,other,"DIA_Ehnim_HALLO_12_01"); //Jmenuju se Ehnim. Jsem jedním z námezdních rolníků. if(Hlp_IsValidNpc(egill) && !c_npcisdown(egill)) { AI_Output(self,other,"DIA_Ehnim_HALLO_12_02"); //A támhleten prcek je můj bratr Egill. }; AI_Output(self,other,"DIA_Ehnim_HALLO_12_03"); //Už tady na farmě pracuju pro Akila několik let. }; instance DIA_EHNIM_FELDARBEIT(C_INFO) { npc = bau_944_ehnim; nr = 4; condition = dia_ehnim_feldarbeit_condition; information = dia_ehnim_feldarbeit_info; description = "Jak jdou polní práce?"; }; func int dia_ehnim_feldarbeit_condition() { if(Npc_KnowsInfo(other,dia_ehnim_hallo)) { return TRUE; }; }; func void dia_ehnim_feldarbeit_info() { AI_Output(other,self,"DIA_Ehnim_FELDARBEIT_15_00"); //Jak jdou polní práce? AI_Output(self,other,"DIA_Ehnim_FELDARBEIT_12_01"); //Chceš pomoct? Támhle je další motyka. Vezmi si ji a vyraz na pole. AI_Output(self,other,"DIA_Ehnim_FELDARBEIT_12_02"); //Měl by ses jen mít na pozoru před polními škůdci. Utrhnou ti ruku, ani nemrkneš. }; instance DIA_EHNIM_FELDRAEUBER(C_INFO) { npc = bau_944_ehnim; nr = 5; condition = dia_ehnim_feldraeuber_condition; information = dia_ehnim_feldraeuber_info; description = "Proč s těmi škůdci něco neuděláte?"; }; func int dia_ehnim_feldraeuber_condition() { if(Npc_KnowsInfo(other,dia_ehnim_feldarbeit)) { return TRUE; }; }; func void dia_ehnim_feldraeuber_info() { AI_Output(other,self,"DIA_Ehnim_FELDRAEUBER_15_00"); //Proč s těmi škůdci něco neuděláte? AI_Output(self,other,"DIA_Ehnim_FELDRAEUBER_12_01"); //Zabil už jsem jich víc, než dokážu spočítat. Jedinej problém je, že zase přijdou další. }; instance DIA_EHNIM_STREIT1(C_INFO) { npc = bau_944_ehnim; nr = 6; condition = dia_ehnim_streit1_condition; information = dia_ehnim_streit1_info; description = "Tvůj bratr mi říkal to samé."; }; func int dia_ehnim_streit1_condition() { if(Npc_KnowsInfo(other,dia_egill_feldraeuber) && Npc_KnowsInfo(other,dia_ehnim_feldraeuber) && (Npc_KnowsInfo(other,dia_egill_streit2) == FALSE) && (Hlp_IsValidNpc(egill) && !c_npcisdown(egill))) { return TRUE; }; }; func void dia_ehnim_streit1_info() { AI_Output(other,self,"DIA_Ehnim_STREIT1_15_00"); //Tvůj bratr mi říkal to samé. AI_Output(self,other,"DIA_Ehnim_STREIT1_12_01"); //Co? Ten sralbotka? Vždycky se vytratí hned, jak se ty bestie objeví na našem pozemku. AI_Output(self,other,"DIA_Ehnim_STREIT1_12_02"); //Neměl by říkat takový nesmysly. }; instance DIA_EHNIM_STREIT3(C_INFO) { npc = bau_944_ehnim; nr = 7; condition = dia_ehnim_streit3_condition; information = dia_ehnim_streit3_info; description = "Tvůj bratr si myslí, že se akorát vytahuješ."; }; func int dia_ehnim_streit3_condition() { if(Npc_KnowsInfo(other,dia_egill_streit2) && (Hlp_IsValidNpc(egill) && !c_npcisdown(egill))) { return TRUE; }; }; func void dia_ehnim_streit3_info() { AI_Output(other,self,"DIA_Ehnim_STREIT3_15_00"); //Tvůj bratr si myslí, že se akorát vytahuješ. AI_Output(self,other,"DIA_Ehnim_STREIT3_12_01"); //Co? To má vážně odvahu tohle říct? AI_Output(self,other,"DIA_Ehnim_STREIT3_12_02"); //Raděj by si měl dávat pozor, než mu uštědřím pořádnou lekci. AI_Output(self,other,"DIA_Ehnim_STREIT3_12_03"); //Tak mu to běž říct. AI_StopProcessInfos(self); }; instance DIA_EHNIM_STREIT5(C_INFO) { npc = bau_944_ehnim; nr = 8; condition = dia_ehnim_streit5_condition; information = dia_ehnim_streit5_info; permanent = TRUE; description = "Mám dojem, že byste se měli oba trochu zklidnit."; }; var int dia_ehnim_streit5_noperm; func int dia_ehnim_streit5_condition() { if(Npc_KnowsInfo(other,dia_egill_streit4) && (Hlp_IsValidNpc(egill) && !c_npcisdown(egill)) && (DIA_EHNIM_STREIT5_NOPERM == FALSE)) { return TRUE; }; }; func void dia_ehnim_streit5_info() { AI_Output(other,self,"DIA_Ehnim_STREIT5_15_00"); //Mám dojem, že byste se měli oba trochu zklidnit. AI_Output(self,other,"DIA_Ehnim_STREIT5_12_01"); //Ten bastard to ještě nevzdal, co? AI_Output(self,other,"DIA_Ehnim_STREIT5_12_02"); //Já ho roztrhnu. Řekni mu to. Info_ClearChoices(dia_ehnim_streit5); Info_AddChoice(dia_ehnim_streit5,"Dělej si, co chceš. Odcházím.",dia_ehnim_streit5_gehen); Info_AddChoice(dia_ehnim_streit5,"Proč mu to neřekneš sám?",dia_ehnim_streit5_attack); }; func void dia_ehnim_streit5_attack() { AI_Output(other,self,"DIA_Ehnim_STREIT5_Attack_15_00"); //Proč mu to neřekneš sám? AI_Output(self,other,"DIA_Ehnim_STREIT5_Attack_12_01"); //To přesně udělám. AI_StopProcessInfos(self); DIA_EHNIM_STREIT5_NOPERM = TRUE; other.aivar[AIV_INVINCIBLE] = FALSE; b_attack(self,egill,AR_NONE,0); b_giveplayerxp(XP_EGILLEHNIMSTREIT); }; func void dia_ehnim_streit5_gehen() { AI_Output(other,self,"DIA_Ehnim_STREIT5_gehen_15_00"); //Dělej si, co chceš. Odcházím. AI_Output(self,other,"DIA_Ehnim_STREIT5_gehen_12_01"); //Jo, jen se rychle ztrať. AI_StopProcessInfos(self); }; instance DIA_EHNIM_PERMKAP1(C_INFO) { npc = bau_944_ehnim; condition = dia_ehnim_permkap1_condition; information = dia_ehnim_permkap1_info; important = TRUE; permanent = TRUE; }; func int dia_ehnim_permkap1_condition() { if((DIA_EHNIM_STREIT5_NOPERM == TRUE) && Npc_IsInState(self,zs_talk) && ((KAPITEL < 3) || (hero.guild == GIL_KDF))) { return TRUE; }; }; func void dia_ehnim_permkap1_info() { AI_Output(self,other,"DIA_Ehnim_PERMKAP1_12_00"); //Chceš dělat další problémy? Mám dojem, že bude lepší, když se hned ztratíš. AI_StopProcessInfos(self); }; instance DIA_EHNIM_MOLERATFETT(C_INFO) { npc = bau_944_ehnim; condition = dia_ehnim_moleratfett_condition; information = dia_ehnim_moleratfett_info; important = TRUE; }; func int dia_ehnim_moleratfett_condition() { if((DIA_EHNIM_STREIT5_NOPERM == TRUE) && (KAPITEL >= 3) && (hero.guild != GIL_KDF)) { return TRUE; }; }; func void dia_ehnim_moleratfett_info() { AI_Output(self,other,"DIA_Ehnim_MoleRatFett_12_00"); //Ty jsi tu JEŠTĚ. AI_Output(other,self,"DIA_Ehnim_MoleRatFett_15_01"); //Vypadá to tak. Pořád vytočenej? AI_Output(self,other,"DIA_Ehnim_MoleRatFett_12_02"); //Nic se neděje, zapomeň na to. Řekni, byl jsi poslední dobou na Lobartově farmě? AI_Output(other,self,"DIA_Ehnim_MoleRatFett_15_03"); //Možná. Proč? AI_Output(self,other,"DIA_Ehnim_MoleRatFett_12_04"); //Ó, nic důležitýho. Jen jsem chtěl mluvit s Vinem o jeho palírně. Info_ClearChoices(dia_ehnim_moleratfett); Info_AddChoice(dia_ehnim_moleratfett,"Právě teď nemám čas.",dia_ehnim_moleratfett_nein); Info_AddChoice(dia_ehnim_moleratfett,"Palírna? Jaká palírna?",dia_ehnim_moleratfett_was); if(Npc_IsDead(vino)) { Info_AddChoice(dia_ehnim_moleratfett,"Vino je mrtvý.",dia_ehnim_moleratfett_tot); }; }; func void dia_ehnim_moleratfett_tot() { AI_Output(other,self,"DIA_Ehnim_MoleRatFett_tot_15_00"); //Vino je mrtvý. AI_Output(self,other,"DIA_Ehnim_MoleRatFett_tot_12_01"); //Proboha. No nic. Tak to se nedá nic dělat. }; func void dia_ehnim_moleratfett_was() { AI_Output(other,self,"DIA_Ehnim_MoleRatFett_was_15_00"); //Palírna? Jaká palírna? AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_12_01"); //Ó. Asi jsem to neměl říkat. Vino byl na to své malé tajemství vždycky hodně citlivý. AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_12_02"); //Ale teď jsem si to nechal vyklouznout. Tam vzadu v lese si Vino zařídil tajnou palírnu. AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_12_03"); //Nedávno mě žádal o něco, čím by mohl promazat padací mříž. AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_12_04"); //V poslední době hodně pršelo a začala ho zlobit rez. Teď je naviják zaseknutý a nikdo už se tam nedostane. To jsme v pěkný bryndě. Log_CreateTopic(TOPIC_FOUNDVINOSKELLEREI,LOG_MISSION); Log_SetTopicStatus(TOPIC_FOUNDVINOSKELLEREI,LOG_RUNNING); b_logentry(TOPIC_FOUNDVINOSKELLEREI,"Podle Ehnima se Vino stále ukrývá v lesích poblíž Akilova statku. Ale mechanismus dveří je zadřený a dokud jej nenamažu krysokrtím sádlem, dovnitř se nedostanu."); Info_AddChoice(dia_ehnim_moleratfett,"A? Máš nějaký mazivo?",dia_ehnim_moleratfett_was_fett); }; func void dia_ehnim_moleratfett_was_fett() { AI_Output(other,self,"DIA_Ehnim_MoleRatFett_was_Fett_15_00"); //A? Máš nějaký mazivo? AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_Fett_12_01"); //Jo, jasně. Nejlepší, co se tu dá sehnat. Krysokrtí sádlo. Příšerná věc, to ti povím. Taky se používá na promazání lodních děl. Info_AddChoice(dia_ehnim_moleratfett,"Prodej mi ten tuk.",dia_ehnim_moleratfett_was_fett_habenwill); }; var int ehnim_moleratfettoffer; func void dia_ehnim_moleratfett_was_fett_habenwill() { AI_Output(other,self,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_15_00"); //Prodej mi ten tuk. AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_12_01"); //To nebude levný, kámo. V tomhle kraji to je zatraceně vzácná věc. AI_Output(other,self,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_15_02"); //Kolik? AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_12_03"); //Mmh. 100 zlatých? EHNIM_MOLERATFETTOFFER = 100; Info_ClearChoices(dia_ehnim_moleratfett); Info_AddChoice(dia_ehnim_moleratfett,"To je příliš.",dia_ehnim_moleratfett_was_fett_habenwill_zuviel); Info_AddChoice(dia_ehnim_moleratfett,"Dohodnuto.",dia_ehnim_moleratfett_was_fett_habenwill_ja); }; func void dia_ehnim_moleratfett_was_fett_habenwill_ja() { AI_Output(other,self,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_ja_15_00"); //Dohodnuto. if(b_giveinvitems(other,self,itmi_gold,EHNIM_MOLERATFETTOFFER)) { AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_ja_12_01"); //Dobrá. Tady to máš. if(Npc_HasItems(self,itmi_moleratlubric_mis)) { b_giveinvitems(self,other,itmi_moleratlubric_mis,1); if(Npc_IsDead(vino) == FALSE) { AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_ja_12_02"); //(pro sebe) Zatraceně. Vino mě zabije. }; } else { AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_ja_12_03"); //Sakra, kam jsme se to dostali? To je zatraceně mrzutá věc. Tak fajn, promiň. Jak se zdá, už to nemám. Vem si svý prachy zpátky. b_giveinvitems(self,other,itmi_gold,EHNIM_MOLERATFETTOFFER); if(Npc_IsDead(egill) == FALSE) { AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_ja_12_04"); //Vsadím se, že to můj brácha udělá znovu. Ten bastard. AI_StopProcessInfos(self); other.aivar[AIV_INVINCIBLE] = FALSE; b_attack(self,egill,AR_NONE,0); }; }; } else { AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_ja_12_05"); //No to je bezvadný. Nejdřív chceš udělat velkej kšeft a pak nemáš dost prachů. Ztrať se. }; AI_StopProcessInfos(self); }; func void dia_ehnim_moleratfett_was_fett_habenwill_zuviel() { AI_Output(other,self,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_zuviel_15_00"); //To je příliš. AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_Fett_habenwill_zuviel_12_01"); //Fajn, fajn. Tak teda 70 zlatých. Ale to je moje poslední nabídka. EHNIM_MOLERATFETTOFFER = 70; Info_ClearChoices(dia_ehnim_moleratfett); Info_AddChoice(dia_ehnim_moleratfett,"To je ještě pořád moc.",dia_ehnim_moleratfett_was_fett_habenwill_zuviel_immernoch); Info_AddChoice(dia_ehnim_moleratfett,"Dohodnuto.",dia_ehnim_moleratfett_was_fett_habenwill_ja); }; func void dia_ehnim_moleratfett_was_fett_habenwill_zuviel_immernoch() { AI_Output(other,self,"DIA_Ehnim_MoleRatFett_was_immernoch_15_00"); //To je ještě pořád moc. AI_Output(self,other,"DIA_Ehnim_MoleRatFett_was_immernoch_12_01"); //(naštvaně) Tak si trhni. Měj se. AI_StopProcessInfos(self); }; func void dia_ehnim_moleratfett_nein() { AI_Output(other,self,"DIA_Ehnim_MoleRatFett_nein_15_00"); //Právě teď nemám čas. AI_Output(self,other,"DIA_Ehnim_MoleRatFett_nein_12_01"); //Nenech se zdržovat, chlape. AI_StopProcessInfos(self); }; instance DIA_EHNIM_PERMKAP3(C_INFO) { npc = bau_944_ehnim; condition = dia_ehnim_permkap3_condition; information = dia_ehnim_permkap3_info; important = TRUE; permanent = TRUE; }; func int dia_ehnim_permkap3_condition() { if(Npc_KnowsInfo(other,dia_ehnim_moleratfett) && Npc_IsInState(self,zs_talk)) { return TRUE; }; }; func void dia_ehnim_permkap3_info() { AI_Output(self,other,"DIA_Ehnim_PERMKAP3_12_00"); //Teď nemám čas. AI_StopProcessInfos(self); }; instance DIA_EHNIM_PICKPOCKET(C_INFO) { npc = bau_944_ehnim; nr = 900; condition = dia_ehnim_pickpocket_condition; information = dia_ehnim_pickpocket_info; permanent = TRUE; description = PICKPOCKET_80; }; func int dia_ehnim_pickpocket_condition() { return c_beklauen(76,35); }; func void dia_ehnim_pickpocket_info() { Info_ClearChoices(dia_ehnim_pickpocket); Info_AddChoice(dia_ehnim_pickpocket,DIALOG_BACK,dia_ehnim_pickpocket_back); Info_AddChoice(dia_ehnim_pickpocket,DIALOG_PICKPOCKET,dia_ehnim_pickpocket_doit); }; func void dia_ehnim_pickpocket_doit() { b_beklauen(); Info_ClearChoices(dia_ehnim_pickpocket); }; func void dia_ehnim_pickpocket_back() { Info_ClearChoices(dia_ehnim_pickpocket); };
D
prototype Mst_Default_Scavenger(C_Npc) { name[0] = "Падальщик"; guild = GIL_SCAVENGER; aivar[AIV_MM_REAL_ID] = ID_SCAVENGER; level = 7; attribute[ATR_STRENGTH] = 35; attribute[ATR_DEXTERITY] = 35; attribute[ATR_HITPOINTS_MAX] = 70; attribute[ATR_HITPOINTS] = 70; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 35; protection[PROT_EDGE] = 35; protection[PROT_POINT] = 0; protection[PROT_FIRE] = 35; //16; protection[PROT_FLY] = 35; protection[PROT_MAGIC] = 0; damagetype = DAM_EDGE; fight_tactic = FAI_SCAVENGER; senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL; senses_range = PERC_DIST_MONSTER_ACTIVE_MAX; aivar[AIV_MM_ThreatenBeforeAttack] = TRUE; aivar[AIV_MM_FollowTime] = FOLLOWTIME_MEDIUM; aivar[AIV_MM_FollowInWater] = TRUE; start_aistate = ZS_MM_AllScheduler; aivar[AIV_MM_SleepStart] = 22; aivar[AIV_MM_SleepEnd] = 6; aivar[AIV_MM_EatGroundStart] = 6; aivar[AIV_MM_EatGroundEnd] = 22; }; func void B_SetVisuals_Scavenger() { Mdl_SetVisual(self,"Scavenger.mds"); Mdl_SetVisualBody(self,"Sca_Body",DEFAULT,DEFAULT,"",DEFAULT,DEFAULT,-1); }; instance Scavenger(Mst_Default_Scavenger) { B_SetVisuals_Scavenger(); Npc_SetToFistMode(self); CreateInvItems(self,ItFoMuttonRaw,1); }; instance SCAVENGERTRANSFORM(Mst_Default_Scavenger) { Npc_PercEnable(self,PERC_ASSESSSURPRISE,b_stopmagictransform); B_SetVisuals_Scavenger(); Npc_SetToFistMode(self); CreateInvItems(self,ItFoMuttonRaw,1); };
D
# FIXED OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/common/osal_clock.c OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/inc/comdef.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_types.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/../_common/cc26xx/_hal_types.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdint.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/stdint.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/cdefs.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_types.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_types.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_stdint.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_stdint.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdbool.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/inc/hal_defs.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/inc/hal_board.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_board_cfg.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_mcu.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_types.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_nvic.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_ints.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_types.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/../inc/hw_chip_def.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_gpio.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_memmap.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/systick.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/debug.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/interrupt.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/cpu.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_cpu_scs.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../driverlib/rom.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/uart.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_uart.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/gpio.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/flash.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_flash.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aon_sysctl.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_fcfg1.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/ioc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_ioc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/icall/src/inc/icall.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdlib.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/_ti_config.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/linkage.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/inc/hal_assert.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_types.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_types.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/common/cc26xx/onboard.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/sys_ctrl.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_sysctl.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_prcm.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aon_wuc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aux_wuc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aon_ioc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_ddi_0_osc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_rfc_pwr.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_adi_3_refsys.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aon_rtc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/pwr_ctrl.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_adi_2_refsys.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/osc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_ddi.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/ddi.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aux_smph.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/prcm.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/aon_ioc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/adi.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_adi.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/aux_wuc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/aon_wuc.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/vims.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_vims.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/inc/hal_sleep.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/inc/osal.h OSAL/osal_clock.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/limits.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/inc/osal_memory.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/inc/osal_timers.h OSAL/osal_clock.obj: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/inc/osal_clock.h C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/common/osal_clock.c: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/inc/comdef.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_types.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/../_common/cc26xx/_hal_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/cdefs.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdbool.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/inc/hal_defs.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/inc/hal_board.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_board_cfg.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_mcu.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_types.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_nvic.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_ints.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_types.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/../inc/hw_chip_def.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_gpio.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/inc/hw_memmap.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/systick.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/debug.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/interrupt.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/cpu.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_cpu_scs.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../driverlib/rom.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/uart.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_uart.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/gpio.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/flash.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_flash.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aon_sysctl.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_fcfg1.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/ioc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_ioc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/icall/src/inc/icall.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdlib.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/_ti_config.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/linkage.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/inc/hal_assert.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_types.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/target/_common/hal_types.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/common/cc26xx/onboard.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/sys_ctrl.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_sysctl.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_prcm.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aon_wuc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aux_wuc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aon_ioc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_ddi_0_osc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_rfc_pwr.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_adi_3_refsys.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aon_rtc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/pwr_ctrl.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_adi_2_refsys.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/osc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_ddi.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/ddi.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_aux_smph.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/prcm.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/aon_ioc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/adi.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_adi.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/aux_wuc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/aon_wuc.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/vims.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/devices/cc26x0r2/driverlib/../inc/hw_vims.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/hal/src/inc/hal_sleep.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/inc/osal.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/limits.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/inc/osal_memory.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/inc/osal_timers.h: C:/ti/simplelink_cc2640r2_sdk_1_50_00_58/source/ti/blestack/osal/src/inc/osal_clock.h:
D
/** Dynamic arrays with deterministic memory usage akin to C++'s std::vector or Rust's std::vec::Vec */ module automem.vector; import automem.traits: isGlobal; import std.range.primitives: isInputRange; import std.experimental.allocator: theAllocator; import std.experimental.allocator.mallocator: Mallocator; alias String = StringA!(typeof(theAllocator)); alias StringM = StringA!Mallocator; template StringA(A = typeof(theAllocator)) if(isAllocator!A) { alias StringA = Vector!(immutable char, A); } /** Create a vector from a variadic list of elements, inferring the type of the elements and the allocator */ auto vector(A = typeof(theAllocator), E) (E[] elements...) if(isAllocator!A && isGlobal!A) { return Vector!(E, A)(elements); } /// ditto auto vector(A = typeof(theAllocator), E) (A allocator, E[] elements...) if(isAllocator!A && !isGlobal!A) { return Vector!(E, A)(allocator, elements); } /** Create a vector from an input range, inferring the type of the elements and the allocator. */ auto vector(A = typeof(theAllocator), R) (R range) if(isAllocator!A && isGlobal!A && isInputRange!R) { import automem.vector: ElementType; return Vector!(ElementType!R, A)(range); } /// ditto auto vector(A = typeof(theAllocator), R) (A allocator, R range) if(isAllocator!A && !isGlobal!A && isInputRange!R) { import automem.vector: ElementType; return Vector!(ElementType!R, A)(allocator, range); } /** A dynamic array with deterministic memory usage akin to C++'s std::vector or Rust's std::vec::Vec */ struct Vector(E, Allocator = typeof(theAllocator)) if(isAllocator!Allocator) { import automem.traits: isGlobal, isSingleton, isTheAllocator; import std.traits: Unqual, isCopyable; alias MutE = Unqual!E; enum isElementMutable = !is(E == immutable) && !is(E == const); static if(isGlobal!Allocator) { this(E[] elements...) { fromElements(elements); } this(R)(R range) if(isInputRangeOf!(R, E)) { // reallocating is ok if only allocating now () @trusted { this = range; }(); } } else static if(isCopyable!Allocator) { this(Allocator allocator, E[] elements...) { _allocator = allocator; fromElements(elements); } this(R)(Allocator allocator, R range) if(isInputRangeOf!(R, E)) { _allocator = allocator; this = range; } } else { this(R)(R range) if(isInputRangeOf!(R, E)) { this = range; } } this(this) scope { auto oldElements = _elements; _elements = createVector(_elements.length); static if(isElementMutable) _elements[0 .. length.toSizeT] = oldElements[0 .. length.toSizeT]; else () @trusted { cast(MutE[])(_elements)[0 .. length.toSizeT] = oldElements[0 .. length.toSizeT]; }(); } ~this() { free; } /// Frees the memory and returns to .init void free() scope { import std.experimental.allocator: dispose; // dispose is @system for theAllocator () @trusted { static if(is(E == immutable)) auto elements = cast(MutE[]) _elements; else alias elements = _elements; _allocator.dispose(elements); }(); clear; } static if(isElementMutable) { /// Pops the front element off void popFront() { foreach(i; 0 .. length - 1) _elements[i.toSizeT] = _elements[i.toSizeT + 1]; popBack; } } /// Pops the last element off void popBack() { --_length; } /// If the vector is empty bool empty() const { return length == 0; } /// The current length of the vector @property long length() const { return _length; } /// Set the length of the vector @property void length(long newLength) { if(capacity < newLength) reserve(newLength); _length = newLength; } /// The current memory capacity of the vector long capacity() const { return _elements.length; } /// Clears the vector, resulting in an empty one void clear() { _length = 0; } /// Reserve memory to avoid allocations when appending void reserve(long newLength) { expandMemory(newLength); } static if(isElementMutable) { /// Shrink to fit the current length. Returns if shrunk. bool shrink() scope { return shrink(length); } /** Shrink to fit the new length given. Returns if shrunk. Cannot be made @safe due to reallocation causing pointers to dangle. */ bool shrink(long newLength) scope { import std.experimental.allocator: shrinkArray; const delta = capacity - newLength; const shrunk = _allocator.shrinkArray(_elements, delta.toSizeT); _length = newLength; return shrunk; } } /// Access the ith element. Can throw RangeError. ref inout(E) opIndex(long i) return scope inout { if(i < 0 || i >= length) mixin(throwBoundsException); return _elements[i.toSizeT]; } /// Returns a new vector after appending to the given vector. Vector opBinary(string s, T)(auto ref T other) const if(s == "~" && is(Unqual!T == Vector)) { import std.range: chain; // opSlice is @system , but it's ok here because we're not // returning the slice but concatenating. return Vector(chain(() @trusted { return this[]; }(), () @trusted { return other[]; }())); } /// Assigns from a range. void opAssign(R)(R range) scope if(isForwardRangeOf!(R, E)) { import std.range.primitives: walkLength, save; expand(range.save.walkLength); long i = 0; foreach(element; range) _elements[toSizeT(i++)] = element; } // make it an output range /// Append to the vector void opOpAssign(string op) (E other) scope if(op == "~") { put(other); } void put(E other) { expand(length + 1); const lastIndex = (length - 1).toSizeT; static if(isElementMutable) _elements[lastIndex] = other; else { assert(_elements[lastIndex] == E.init, "Assigning to non default initialised non mutable member"); () @trusted { mutableElements[lastIndex] = other; }(); } } /// Append to the vector from a range void opOpAssign(string op, R) (scope R range) scope if(op == "~" && isForwardRangeOf!(R, E)) { put(range); } void put(R)(scope R range) if(isLengthRangeOf!(R, E)) { import std.range.primitives: walkLength, save; long index = length; static if(hasLength!R) const rangeLength = range.length; else const rangeLength = range.save.walkLength; expand(length + rangeLength); foreach(element; range) { const safeIndex = toSizeT(index++); static if(!isElementMutable) { assert(_elements[safeIndex] == E.init, "Assigning to non default initialised non mutable member"); } static if(isElementMutable) _elements[safeIndex] = element; else { assert(_elements[safeIndex] == E.init, "Assigning to non default initialised non mutable member"); () @trusted { mutableElements[safeIndex] = element; }(); } } } /** Return a forward range of the vector contents. Negative `end` values work like in Python. */ auto range(this This)(in long start = 0, long end = -1) return scope in(start >= 0) in(end <= length) do { import std.range.primitives: isForwardRange; static struct Range { private This* self; private long index; private long end; Range save() { return this; } auto front() { return (*self)[index]; } void popFront() { ++index; } bool empty() const { const comp = end < 0 ? length + end + 1 : end; return index >= comp; } auto length() const { return self.length; } } static assert(isForwardRange!Range); // FIXME - why isn't &this @safe? return Range(() @trusted { return &this; }(), start, end); } /** Returns a slice. @system because the pointer in the slice might dangle. */ auto opSlice(this This)() @system scope return { return _elements[0 .. length.toSizeT]; } /** Returns a slice. @system because the pointer in the slice might dangle. */ auto opSlice(this This)(long start, long end) @system scope return { if(start < 0 || start >= length) mixin(throwBoundsException); if(end < 0 || end > length) mixin(throwBoundsException); return _elements[start.toSizeT .. end.toSizeT]; } long opDollar() const { return length; } static if(isElementMutable) { /// Assign all elements to the given value void opSliceAssign(E value) { _elements[] = value; } } static if(isElementMutable) { /// Assign all elements in the given range to the given value void opSliceAssign(E value, long start, long end) { if(start < 0 || start >= length) mixin(throwBoundsException); if(end < 0 || end >= length) mixin(throwBoundsException); _elements[start.toSizeT .. end.toSizeT] = value; } } static if(isElementMutable) { /// Assign all elements using the given operation and the given value void opSliceOpAssign(string op)(E value) scope { foreach(ref elt; _elements) mixin(`elt ` ~ op ~ `= value;`); } } static if(isElementMutable) { /// Assign all elements in the given range using the given operation and the given value void opSliceOpAssign(string op)(E value, long start, long end) scope { if(start < 0 || start >= length) mixin(throwBoundsException); if(end < 0 || end >= length) mixin(throwBoundsException); foreach(ref elt; _elements[start.toSizeT .. end.toSizeT]) mixin(`elt ` ~ op ~ `= value;`); } } bool opCast(U)() const scope if(is(U == bool)) { return length > 0; } static if(is(Unqual!E == char)) { /** Return a null-terminated C string @system since appending is not @safe. */ auto stringz(this This)() return scope @system { if(capacity == length) reserve(length + 1); static if(isElementMutable) { _elements[length.toSizeT] = 0; } else { assert(_elements[length.toSizeT] == E.init || _elements[length.toSizeT] == 0, "Assigning to non default initialised non mutable member"); () @trusted { mutableElements[length.toSizeT] = 0; }(); } return &_elements[0]; } } auto ptr(this This)() return scope { return &_elements[0]; } bool opEquals(R)(R range) scope const if(isInputRangeOf!(R, E)) { import std.array: empty, popFront, front; if(length == 0 && range.empty) return true; foreach(i; 0 .. length) { if(range.empty) return false; if(range.front != this[i]) return false; range.popFront; } return range.empty; } bool opEquals(OtherAllocator)(auto ref scope const(Vector!(E, OtherAllocator)) other) const { return this == other.range; } private: E[] _elements; long _length; static if(isSingleton!Allocator) alias _allocator = Allocator.instance; else static if(isTheAllocator!Allocator) alias _allocator = theAllocator; else Allocator _allocator; E[] createVector(long length) scope { import std.experimental.allocator: makeArray; // theAllocator.makeArray is @system return () @trusted { return _allocator.makeArray!E(length.toSizeT); }(); } void fromElements(E[] elements) { _elements = createVector(elements.length); static if(isElementMutable) _elements[] = elements[]; else () @trusted { (cast(MutE[]) _elements)[] = elements[]; }(); _length = elements.length; } void expand(long newLength) scope { expandMemory(newLength); _length = newLength; } // @system since reallocating can cause pointers to dangle void expandMemory(long newLength) scope @system { import std.experimental.allocator: expandArray; if(newLength > capacity) { if(length == 0) _elements = createVector(newLength); else { const newCapacity = (newLength * 3) / 2; const delta = newCapacity - capacity; _allocator.expandArray(mutableElements, delta.toSizeT); } } } ref MutE[] mutableElements() scope return @system { auto ptr = &_elements; return *(cast(MutE[]*) ptr); } } static if (__VERSION__ >= 2082) { // version identifier D_Exceptions was added in 2.082 version (D_Exceptions) private enum haveExceptions = true; else private enum haveExceptions = false; } else { version (D_BetterC) private enum haveExceptions = false; else private enum haveExceptions = true; } static if (haveExceptions) { private static immutable boundsException = new BoundsException("Out of bounds index"); private enum throwBoundsException = q{throw boundsException;}; class BoundsException: Exception { import std.exception: basicExceptionCtors; mixin basicExceptionCtors; } } else { private enum throwBoundsException = q{assert(0, "Out of bounds index");}; } private template isInputRangeOf(R, E) { import std.range.primitives: isInputRange; enum isInputRangeOf = isInputRange!R && canAssignFrom!(R, E); } private template isForwardRangeOf(R, E) { import std.range.primitives: isForwardRange; enum isForwardRangeOf = isForwardRange!R && canAssignFrom!(R, E); } private enum hasLength(R) = is(typeof({ import std.traits: isIntegral; auto length = R.init.length; static assert(isIntegral!(typeof(length))); })); private enum isLengthRangeOf(R, E) = isForwardRangeOf!(R, E) || hasLength!R; private template canAssignFrom(R, E) { enum canAssignFrom = is(typeof({ import automem.vector: frontNoAutoDecode; E element = R.init.frontNoAutoDecode; })); } private size_t toSizeT(long length) @safe @nogc pure nothrow { static if(size_t.sizeof < long.sizeof) assert(length < cast(long) size_t.max); return cast(size_t) length; } // Because autodecoding is fun private template ElementType(R) { import std.traits: isSomeString; static if(isSomeString!R) { alias ElementType = typeof(R.init[0]); } else { import std.range.primitives: ElementType_ = ElementType; alias ElementType = ElementType_!R; } } @("ElementType") @safe pure unittest { import automem.vector: ElementType; static assert(is(ElementType!(int[]) == int)); static assert(is(ElementType!(char[]) == char)); static assert(is(ElementType!(wchar[]) == wchar)); static assert(is(ElementType!(dchar[]) == dchar)); } // More fun with autodecoding private auto frontNoAutoDecode(R)(R range) { import std.traits: isSomeString; static if(isSomeString!R) return range[0]; else { import std.range.primitives: front; return range.front; } } void checkAllocator(T)() { import std.experimental.allocator: dispose, shrinkArray, makeArray, expandArray; import std.traits: hasMember; static if(hasMember!(T, "instance")) alias allocator = T.instance; else T allocator; void[] bytes; allocator.dispose(bytes); int[] ints = allocator.makeArray!int(42); allocator.shrinkArray(ints, size_t.init); allocator.expandArray(ints, size_t.init); } enum isAllocator(T) = is(typeof(checkAllocator!T)); @("isAllocator") @safe @nogc pure unittest { import std.experimental.allocator.mallocator: Mallocator; import test_allocator: TestAllocator; static assert( isAllocator!Mallocator); static assert( isAllocator!TestAllocator); static assert(!isAllocator!int); static assert( isAllocator!(typeof(theAllocator))); }
D
module test_graphics2D; import vulkan.all; final class TestGraphics2D : VulkanApplication { Vulkan vk; VkDevice device; VulkanContext context; VkRenderPass renderPass; VkSampler sampler; Camera2D camera; Quad quad1, quad2, quad3; Quads quads; //Text text; FPS fps; Rectangles rectangles; RoundRectangles roundRectangles; Circles circles; Lines lines; Points points; RendererFactory canvas; this() { WindowProperties wprops = { width: 1400, height: 800, fullscreen: false, vsync: false, title: "Vulkan 2D Graphics Test", icon: "/pvmoore/_assets/icons/3dshapes.png", showWindow: false, frameBuffers: 3 }; VulkanProperties vprops = { apiVersion: vulkanVersion(1,1,0), appName: "Vulkan 2D Graphics Test" }; //vprops.layers ~= "VK_LAYER_LUNARG_monitor".ptr; vk = new Vulkan(this, wprops, vprops); vk.initialise(); this.log("screen = %s", vk.windowSize); import std : fromStringz, format; import core.cpuid: processor; string gpuName = cast(string)vk.properties.deviceName.ptr.fromStringz; vk.setWindowTitle("Vulkan 2D Graphics Test :: %s, %s".format(gpuName, processor())); vk.showWindow(); } override void destroy() { if(!vk) return; if(device) { vkDeviceWaitIdle(device); if(context) context.dumpMemory(); if(canvas) canvas.destroy(); if(quads) quads.destroy(); if(quad1) quad1.destroy(); if(quad2) quad2.destroy(); if(quad3) quad3.destroy(); //if(text) text.destroy(); if(fps) fps.destroy(); if(rectangles) rectangles.destroy(); if(roundRectangles) roundRectangles.destroy(); if(circles) circles.destroy(); if(lines) lines.destroy(); if(points) points.destroy(); if(sampler) device.destroySampler(sampler); if(renderPass) device.destroyRenderPass(renderPass); if(context) context.destroy(); } vk.destroy(); } override void run() { vk.mainLoop(); } override VkRenderPass getRenderPass(VkDevice device) { createRenderPass(device); return renderPass; } override void deviceReady(VkDevice device, PerFrameResource[] frameResources) { this.device = device; initScene(); } void update(Frame frame) { auto res = frame.resource; //text.beforeRenderPass(frame); fps.beforeRenderPass(frame, vk.getFPSSnapshot()); rectangles.beforeRenderPass(frame); roundRectangles.beforeRenderPass(frame); circles.beforeRenderPass(frame); lines.beforeRenderPass(frame); points.beforeRenderPass(frame); quads.beforeRenderPass(frame); canvas.beforeRenderPass(frame); } override void render(Frame frame) { auto res = frame.resource; auto b = res.adhocCB; b.beginOneTimeSubmit(); update(frame); // begin the render pass b.beginRenderPass( renderPass, res.frameBuffer, toVkRect2D(0,0, vk.windowSize.toVkExtent2D), [ clearColour(0.2f,0,0,1) ], VK_SUBPASS_CONTENTS_INLINE //VkSubpassContents.VK_SUBPASS_SECONDARY_COMMAND_BUFFERS ); quads.insideRenderPass(frame); quad1.insideRenderPass(frame); quad2.insideRenderPass(frame); quad3.insideRenderPass(frame); rectangles.insideRenderPass(frame); roundRectangles.insideRenderPass(frame); circles.insideRenderPass(frame); lines.insideRenderPass(frame); points.insideRenderPass(frame); canvas.insideRenderPass(frame); //text.insideRenderPass(frame); fps.insideRenderPass(frame); b.endRenderPass(); b.end(); /// Submit our render buffer vk.getGraphicsQueue().submit( [b], [res.imageAvailable], [VK_PIPELINE_STAGE_COLOR_ATTACHMENT_OUTPUT_BIT], [res.renderFinished], // signal semaphores res.fence // fence ); } private: void initScene() { this.camera = Camera2D.forVulkan(vk.windowSize); auto mem = new MemoryAllocator(vk); auto maxLocal = mem.builder(0) .withAll(VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT) .withoutAll(VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT) .maxHeapSize(); this.log("Max local memory = %s MBs", maxLocal / 1.MB); this.context = new VulkanContext(vk) .withMemory(MemID.LOCAL, mem.allocStdDeviceLocal("G2D_Local", 128.MB)) // .withMemory(MemID.SHARED, mem.allocStdShared("G2D_Shared", 128.MB)) .withMemory(MemID.STAGING, mem.allocStdStagingUpload("G2D_Staging", 32.MB)); context.withBuffer(MemID.LOCAL, BufID.VERTEX, VK_BUFFER_USAGE_VERTEX_BUFFER_BIT | VK_BUFFER_USAGE_TRANSFER_DST_BIT, 1.MB) .withBuffer(MemID.LOCAL, BufID.INDEX, VK_BUFFER_USAGE_INDEX_BUFFER_BIT | VK_BUFFER_USAGE_TRANSFER_DST_BIT, 1.MB) .withBuffer(MemID.LOCAL, BufID.UNIFORM, VK_BUFFER_USAGE_UNIFORM_BUFFER_BIT | VK_BUFFER_USAGE_TRANSFER_DST_BIT, 1.MB) .withBuffer(MemID.STAGING, BufID.STAGING, VK_BUFFER_USAGE_TRANSFER_SRC_BIT, 32.MB); context.withFonts("/pvmoore/_assets/fonts/hiero/") .withImages("/pvmoore/_assets/images") .withRenderPass(renderPass); this.log("shared mem available = %s", context.hasMemory(MemID.SHARED)); this.log("%s", context); createSampler(); fps = new FPS(context); //addTextToScreen(); addQuadsToScene(); addRectanglesToScene(); addRoundRectanglesToScene(); addCirclesToScene(); addLinesToScene(); addPointsToScene(); addCanvasToScene(); } // void addTextToScreen() { // } void addQuadsToScene() { this.log("Adding quads to scene"); this.quads = new Quads(context, context.images.get("bmp/goddess_abgr.bmp"), sampler, 10); quads.camera(camera) .setSize(float2(100,100)) .setColour(float4(1,1,1,1)) .setRotation(0.degrees.radians); uint x = 10; quads.add(float2(x+=115,10)); auto id = quads.add(float2(x+=115,10)); quads.add(float2(x+=115,10)); quads.setEnabled(id, false); quads.setEnabled(id, true); quads.setSize(id, float2(80,80)) .setColour(id, float4(1,0.8,0.2,1)); quad1 = new Quad(context, context.images.get("bmp/goddess_abgr.bmp"), sampler); auto scale = Matrix4.scale(float3(100,100,0)); auto trans = Matrix4.translate(float3(515,10,0)); quad1.setVP(trans*scale, camera.V, camera.P); //quad1.setColour(RGBA(1,1,1,0.1)); //quad1.setUV(UV(1,1), UV(0,0)); this.log("camera.model = \n%s", trans*scale); this.log("camera.view = \n%s", camera.V); this.log("camera.proj = \n%s", camera.P); quad2 = new Quad(context, context.images.get("png/rock3.png"), sampler); auto scale2 = Matrix4.scale(float3(100,100,0)); auto trans2 = Matrix4.translate(float3(10,10,0)); quad2.setVP(trans2*scale2, camera.V, camera.P); //quad2.setColour(BLUE.xyz); quad3 = new Quad(context, context.images.get("dds/rock5.dds"), sampler); auto scale3 = Matrix4.scale(float3(150,150,0)); auto trans3 = Matrix4.translate(float3(630,10,0)); quad3.setVP(trans3*scale3, camera.V, camera.P); } void addRectanglesToScene() { this.log("Adding rectangles to scene"); this.rectangles = new Rectangles(context, 10); rectangles.camera(camera); rectangles.setColour(WHITE) .add(vec2(800,10), vec2(900,10), vec2(900,110), vec2(800,110)); rectangles.setColour(YELLOW) .add(vec2(850, 30), vec2(950, 80), vec2(880, 130), vec2(820, 50), WHITE, BLUE, RED, GREEN); } void addRoundRectanglesToScene() { this.log("Adding round rectangles to scene"); enum orange = RGBA(0.7,0.4,0.1,1)*0.75; enum black = RGBA(0,0,0,0); float x = 300; roundRectangles = new RoundRectangles(context, 10) .camera(camera); roundRectangles .add(float2(x, 200), float2(150,100), orange,orange*3, orange,orange*3, 30); roundRectangles .add(float2(x + 170, 200), float2(150,100), orange*3,orange*3, orange,orange, 30); // capsule roundRectangles .add(float2(x + 350, 220), float2(150,60), WHITE,WHITE, black,black, 30); roundRectangles .add(float2(x + 350 ,220), float2(150,60), black,black, WHITE,WHITE, 30); // white border roundRectangles .add(float2(x + 520, 200), float2(150,100), WHITE*0.8, WHITE, WHITE*0.8,black+0.5, 32); roundRectangles .add(float2(x + 525, 204), float2(140,92), orange, orange, orange,orange, 30); roundRectangles .setColour(RGBA(0.3, 0.5, 0.7, 1)) .add(float2(x + 700, 200), float2(150,100), 7); } void addCirclesToScene() { this.circles = new Circles(context, 20); circles.camera(camera) .borderColour(WHITE) .colour(RED) .borderRadius(1.5f); float x = 10; float y = 500; circles.add(float2(x,y), 4f); circles.add(float2(x+10,y), 8f); circles.add(float2(x+30,y), 16f); circles.borderRadius(4f) .add(float2(x+70,y), 32f); circles.borderRadius(8f) .add(float2(x+140,y), 64f); circles.borderRadius(16f) .add(float2(x+270,y), 128f); } void addLinesToScene() { this.lines = new Lines(context, 10); lines.camera(camera) .fromColour(WHITE) .toColour(WHITE) .thickness(1); float x = 1100; float y = 10; lines.add(float2(x, y), float2(x+150, y+20)); lines.add(float2(x, y+10), float2(x+150, y+40), YELLOW, GREEN, 4f, 4f); lines.add(float2(x, y+40), float2(x+150, y+90), WHITE, BLUE.merge(MAGENTA), 8, 8); lines.add(float2(x, y+70), float2(x+150, y+140), GREEN, WHITE, 1, 32); lines.add(float2(x, y+120), float2(x+150, y+210), YELLOW, CYAN, 32, 32); } void addPointsToScene() { this.points = new Points(context, 100); auto w = float4(1,1,1,1); points.camera(camera); float x = 960; float y = 50; points.add(float2(x, y), 1, w); points.add(float2(x+8, y), 2, w); points.add(float2(x+18, y), 3, w); points.add(float2(x+31, y), 5, w); points.add(float2(x+50, y), 8, w); auto id = points.add(float2(x+72, y), 12, float4(1,0.8,0.2,1)); points.add(float2(x+102, y), 17, w); points.setEnabled(id, false); points.setEnabled(id, true); } void addCanvasToScene() { const imageName = "bmp/goddess_abgr.bmp"; const fontName = "segoeprint"; RendererFactory.Properties rfProps = { maxLines: 100, maxCircles: 200, maxRectangles: 100, maxRoundRectangles: 100, maxPoints: 100, maxQuads: 100, maxCharacters: 1000, imageMaxQuads: [imageName : 100], fontMaxCharacters: [fontName : 1000] }; this.canvas = new RendererFactory(context, rfProps) .camera(camera); foreach(i; 0..100) { { // lines float x = 300; float y = 320; float x1 = uniform(0, 200), x2 = uniform(0, 200); float y1 = uniform(0, 200), y2 = uniform(0, 200); float th = uniform(1.5f, 5f); auto col = float4(uniform(0f,1f), uniform(0f,1f), uniform(0f,1f), 1); canvas.getLines().add(float2(x+x1, y+y1), float2(x+x2,y+ y2), col, col, th, th); } { // circles float x = 300; float y = 550; float x1 = uniform(0, 200); float y1 = uniform(0, 200); float r = uniform(10f, 40f); float th = uniform(1.5f, 5f); auto col = float4(uniform(0f,1f), uniform(0f,1f), uniform(0f,1f), 1); canvas.getCircles().add(float2(x+x1, y+y1), r, th, float4(0,0,0,0), col); } { // filled circles float x = 550; float y = 320; float x1 = uniform(0, 200); float y1 = uniform(0, 200); float r = uniform(10f, 40f); float th = uniform(1.5f, 5f); auto col = float4(uniform(0f,1f), uniform(0f,1f), uniform(0f,1f), 1); canvas.getCircles().add(float2(x+x1, y+y1), r, th, col, float4(1,1,1,1)); } { // rectangles float2[4] _generateVertices() { const x = 550 + uniform(0, 160); const y = 550 + uniform(0, 160); const a = float2(x + uniform(0, 80), y + uniform(0, 80)); const b = float2(x + uniform(0, 80), y + uniform(0, 80)); const c = float2(x + uniform(0, 80), y + uniform(0, 80)); const d = float2(x + uniform(0, 80), y + uniform(0, 80)); float2[4] p = [a,b,c,d]; int count = 0; bool flag = true; while(flag) { flag = false; if(p[2].isLeftOfLine(p[1], p[0])) { swap(p[1], p[2]); flag = true; } if(p[3].isLeftOfLine(p[2], p[0])) { swap(p[2], p[3]); flag = true; } if(count++ > 5) break; } return p; } float2[4] p = _generateVertices(); auto col = float4(uniform(0f,1f), uniform(0f,1f), uniform(0f,1f), 1); canvas.getRectangles() .add(p[0], p[1], p[2], p[3], col, col, col, col); } { // round rectangle float x = 800; float y = 320; float2 p = float2(x + uniform(0, 200), y + uniform(0, 200)); float2 s = float2(uniform(10, 70), uniform(10, 70)); float cr = 15; auto col = float4(uniform(0f,1f), uniform(0f,1f), uniform(0f,1f), 1); canvas.getRoundRectangles() .add(p, s, col, col, col, col, cr); } { // points float x = 800; float y = 570; float2 p = float2(x + uniform(0, 200), y + uniform(0, 200)); float s = uniform(1f, 10f); auto col = float4(uniform(0f,1f), uniform(0f,1f), uniform(0f,1f), 1); canvas.getPoints().add(p, s, col); } { // quads float x = 1050; float y = 320; float2 p = float2(x + uniform(0, 250), y + uniform(0, 400)); float s = uniform(20f, 100f); float r = uniform(0f, 360.degrees.radians); auto col = float4(uniform(0f,1f), uniform(0f,1f), uniform(0f,1f), 1); canvas.getQuads(imageName) .add(p, float2(s,s), float4(0,0,1,1), col, r); } } auto text = canvas.getText(fontName); text.setSize(16); text.setColour(WHITE*1.1); text.setDropShadowColour(RGBA(0,0,0, 0.8)); text.setDropShadowOffset(vec2(-0.0025, 0.0025)); foreach(i; 0..10) { text.setColour(RGBA(i/10.0f,0.5+i/40.0f,1,1)*1.1); text.add("Hello there I am some text...", 10, 110+i*20); } } void createSampler() { this.log("Creating sampler"); sampler = device.createSampler(samplerCreateInfo()); } void createRenderPass(VkDevice device) { this.log("Creating render pass"); auto colorAttachment = attachmentDescription(vk.swapchain.colorFormat); auto colorAttachmentRef = attachmentReference(0); auto subpass = subpassDescription((info) { info.colorAttachmentCount = 1; info.pColorAttachments = &colorAttachmentRef; }); auto dependency = subpassDependency(); renderPass = .createRenderPass( device, [colorAttachment], [subpass], subpassDependency2()//[dependency] ); } }
D
instance NOV_1316_Novize(Npc_Default) { name[0] = NAME_Novize; npcType = npctype_ambient; guild = GIL_NOV; level = 3; voice = 2; id = 1316; attribute[ATR_STRENGTH] = 10; attribute[ATR_DEXTERITY] = 10; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; attribute[ATR_HITPOINTS_MAX] = 76; attribute[ATR_HITPOINTS] = 76; Mdl_SetVisual(self,"HUMANS.MDS"); Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds"); Mdl_SetVisualBody(self,"hum_body_Naked0",1,1,"Hum_Head_Bald",32,1,nov_armor_l); B_Scale(self); Mdl_SetModelFatness(self,-1); fight_tactic = FAI_HUMAN_COWARD; EquipItem(self,ItMw_1H_Hatchet_01); daily_routine = Rtn_start_1316; }; func void Rtn_start_1316() { TA_Smith_Fire(8,0,8,10,"PSI_SMITH_01"); TA_Smith_Anvil(8,10,8,20,"PSI_SMITH_01"); TA_Smith_Fire(8,20,8,30,"PSI_SMITH_01"); TA_Smith_Anvil(8,30,8,40,"PSI_SMITH_01"); TA_Smith_Cool(8,40,8,50,"PSI_SMITH_01"); TA_Smith_Sharp(8,50,8,55,"PSI_SMITH_01"); TA_SitAround(8,55,9,0,"PSI_SMITH_01"); TA_Smith_Fire(9,0,9,10,"PSI_SMITH_01"); TA_Smith_Anvil(9,10,9,20,"PSI_SMITH_01"); TA_Smith_Fire(9,20,9,30,"PSI_SMITH_01"); TA_Smith_Anvil(9,30,9,40,"PSI_SMITH_01"); TA_Smith_Cool(9,40,9,50,"PSI_SMITH_01"); TA_Smith_Sharp(9,50,9,55,"PSI_SMITH_01"); TA_SitAround(9,55,10,0,"PSI_SMITH_01"); TA_Smith_Fire(10,0,10,10,"PSI_SMITH_01"); TA_Smith_Anvil(10,10,10,20,"PSI_SMITH_01"); TA_Smith_Fire(10,20,10,30,"PSI_SMITH_01"); TA_Smith_Anvil(10,30,10,40,"PSI_SMITH_01"); TA_Smith_Cool(10,40,10,50,"PSI_SMITH_01"); TA_Smith_Sharp(10,50,10,55,"PSI_SMITH_01"); TA_SitAround(10,55,11,0,"PSI_SMITH_01"); TA_Smith_Fire(11,0,11,10,"PSI_SMITH_01"); TA_Smith_Anvil(11,10,11,20,"PSI_SMITH_01"); TA_Smith_Fire(11,20,11,30,"PSI_SMITH_01"); TA_Smith_Anvil(11,30,11,40,"PSI_SMITH_01"); TA_Smith_Cool(11,40,11,50,"PSI_SMITH_01"); TA_Smith_Sharp(11,50,11,55,"PSI_SMITH_01"); TA_SitAround(11,55,12,0,"PSI_SMITH_01"); TA_Smith_Fire(12,0,12,10,"PSI_SMITH_01"); TA_Smith_Anvil(12,10,12,20,"PSI_SMITH_01"); TA_Smith_Fire(12,20,12,30,"PSI_SMITH_01"); TA_Smith_Anvil(12,30,12,40,"PSI_SMITH_01"); TA_Smith_Cool(12,40,12,50,"PSI_SMITH_01"); TA_Smith_Sharp(12,50,12,55,"PSI_SMITH_01"); TA_SitAround(12,55,13,0,"PSI_SMITH_01"); TA_Smith_Fire(13,0,13,10,"PSI_SMITH_01"); TA_Smith_Anvil(13,10,13,20,"PSI_SMITH_01"); TA_Smith_Fire(13,20,13,30,"PSI_SMITH_01"); TA_Smith_Anvil(13,30,13,40,"PSI_SMITH_01"); TA_Smith_Cool(13,40,13,50,"PSI_SMITH_01"); TA_Smith_Sharp(13,50,13,55,"PSI_SMITH_01"); TA_SitAround(13,55,14,0,"PSI_SMITH_01"); TA_Smith_Fire(14,0,14,10,"PSI_SMITH_01"); TA_Smith_Anvil(14,10,14,20,"PSI_SMITH_01"); TA_Smith_Fire(14,20,14,30,"PSI_SMITH_01"); TA_Smith_Anvil(14,30,14,40,"PSI_SMITH_01"); TA_Smith_Cool(14,40,14,50,"PSI_SMITH_01"); TA_Smith_Sharp(14,50,14,55,"PSI_SMITH_01"); TA_SitAround(14,55,15,0,"PSI_SMITH_01"); TA_Smith_Fire(15,0,15,10,"PSI_SMITH_01"); TA_Smith_Anvil(15,10,15,20,"PSI_SMITH_01"); TA_Smith_Fire(15,20,15,30,"PSI_SMITH_01"); TA_Smith_Anvil(15,30,15,40,"PSI_SMITH_01"); TA_Smith_Cool(15,40,15,50,"PSI_SMITH_01"); TA_Smith_Sharp(15,50,15,55,"PSI_SMITH_01"); TA_SitAround(15,55,16,0,"PSI_SMITH_01"); TA_Smith_Fire(16,0,16,10,"PSI_SMITH_01"); TA_Smith_Anvil(16,10,16,20,"PSI_SMITH_01"); TA_Smith_Fire(16,20,16,30,"PSI_SMITH_01"); TA_Smith_Anvil(16,30,16,40,"PSI_SMITH_01"); TA_Smith_Cool(16,40,16,50,"PSI_SMITH_01"); TA_Smith_Sharp(16,50,16,55,"PSI_SMITH_01"); TA_SitAround(16,55,17,0,"PSI_SMITH_01"); TA_Smith_Fire(17,0,17,10,"PSI_SMITH_01"); TA_Smith_Anvil(17,10,17,20,"PSI_SMITH_01"); TA_Smith_Fire(17,20,17,30,"PSI_SMITH_01"); TA_Smith_Anvil(17,30,17,40,"PSI_SMITH_01"); TA_Smith_Cool(17,40,17,50,"PSI_SMITH_01"); TA_Smith_Sharp(17,50,17,55,"PSI_SMITH_01"); TA_SitAround(17,55,18,0,"PSI_SMITH_01"); TA_Smith_Fire(18,0,18,10,"PSI_SMITH_01"); TA_Smith_Anvil(18,10,18,20,"PSI_SMITH_01"); TA_Smith_Fire(18,20,18,30,"PSI_SMITH_01"); TA_Smith_Anvil(18,30,18,40,"PSI_SMITH_01"); TA_Smith_Cool(18,40,18,50,"PSI_SMITH_01"); TA_Smith_Sharp(18,50,18,55,"PSI_SMITH_01"); TA_SitAround(18,55,19,0,"PSI_SMITH_01"); TA_Smith_Fire(19,0,19,10,"PSI_SMITH_01"); TA_Smith_Anvil(19,10,19,20,"PSI_SMITH_01"); TA_Smith_Fire(19,20,19,30,"PSI_SMITH_01"); TA_Smith_Anvil(19,30,19,40,"PSI_SMITH_01"); TA_Smith_Cool(19,40,19,50,"PSI_SMITH_01"); TA_Smith_Sharp(19,50,19,55,"PSI_SMITH_01"); TA_SitAround(19,55,20,0,"PSI_SMITH_01"); TA_Smith_Fire(20,0,20,10,"PSI_SMITH_01"); TA_Smith_Anvil(20,10,20,20,"PSI_SMITH_01"); TA_Smith_Fire(20,20,20,30,"PSI_SMITH_01"); TA_Smith_Anvil(20,30,20,40,"PSI_SMITH_01"); TA_Smith_Cool(20,40,20,50,"PSI_SMITH_01"); TA_Smith_Sharp(20,50,20,55,"PSI_SMITH_01"); TA_SitAround(20,55,21,0,"PSI_SMITH_01"); TA_Smith_Fire(21,0,21,10,"PSI_SMITH_01"); TA_Smith_Anvil(21,10,21,20,"PSI_SMITH_01"); TA_Smith_Fire(21,20,21,30,"PSI_SMITH_01"); TA_Smith_Anvil(21,30,21,40,"PSI_SMITH_01"); TA_Smith_Cool(21,40,21,50,"PSI_SMITH_01"); TA_Smith_Sharp(21,50,21,55,"PSI_SMITH_01"); TA_SitAround(21,55,22,0,"PSI_SMITH_01"); TA_Smith_Fire(22,0,22,10,"PSI_SMITH_01"); TA_Smith_Anvil(22,10,22,20,"PSI_SMITH_01"); TA_Smith_Fire(22,20,22,30,"PSI_SMITH_01"); TA_Smith_Anvil(22,30,22,40,"PSI_SMITH_01"); TA_Smith_Cool(22,40,22,50,"PSI_SMITH_01"); TA_Smith_Sharp(22,50,22,55,"PSI_SMITH_01"); TA_SitAround(22,55,23,0,"PSI_SMITH_01"); TA_Smith_Fire(23,0,23,10,"PSI_SMITH_01"); TA_Smith_Anvil(23,10,23,20,"PSI_SMITH_01"); TA_Smith_Fire(23,20,23,30,"PSI_SMITH_01"); TA_Smith_Anvil(23,30,23,40,"PSI_SMITH_01"); TA_Smith_Cool(23,40,23,50,"PSI_SMITH_01"); TA_Smith_Sharp(23,50,23,55,"PSI_SMITH_01"); TA_SitAround(23,55,24,0,"PSI_SMITH_01"); TA_Smith_Fire(0,0,0,10,"PSI_SMITH_01"); TA_Smith_Anvil(0,10,0,20,"PSI_SMITH_01"); TA_Smith_Fire(0,20,0,30,"PSI_SMITH_01"); TA_Smith_Anvil(0,30,0,40,"PSI_SMITH_01"); TA_Smith_Cool(0,40,0,50,"PSI_SMITH_01"); TA_Smith_Sharp(0,50,0,55,"PSI_SMITH_01"); TA_SitAround(0,55,1,0,"PSI_SMITH_01"); TA_Smith_Fire(1,0,1,10,"PSI_SMITH_01"); TA_Smith_Anvil(1,10,1,20,"PSI_SMITH_01"); TA_Smith_Fire(1,20,1,30,"PSI_SMITH_01"); TA_Smith_Anvil(1,30,1,40,"PSI_SMITH_01"); TA_Smith_Cool(1,40,1,50,"PSI_SMITH_01"); TA_Smith_Sharp(1,50,1,55,"PSI_SMITH_01"); TA_SitAround(1,55,2,0,"PSI_SMITH_01"); TA_Smith_Fire(2,0,2,10,"PSI_SMITH_01"); TA_Smith_Anvil(2,10,2,20,"PSI_SMITH_01"); TA_Smith_Fire(2,20,2,30,"PSI_SMITH_01"); TA_Smith_Anvil(2,30,2,40,"PSI_SMITH_01"); TA_Smith_Cool(2,40,2,50,"PSI_SMITH_01"); TA_Smith_Sharp(2,50,2,55,"PSI_SMITH_01"); TA_SitAround(2,55,3,0,"PSI_SMITH_01"); TA_Smith_Fire(3,0,3,10,"PSI_SMITH_01"); TA_Smith_Anvil(3,10,3,20,"PSI_SMITH_01"); TA_Smith_Fire(3,20,3,30,"PSI_SMITH_01"); TA_Smith_Anvil(3,30,3,40,"PSI_SMITH_01"); TA_Smith_Cool(3,40,3,50,"PSI_SMITH_01"); TA_Smith_Sharp(3,50,3,55,"PSI_SMITH_01"); TA_SitAround(3,55,4,0,"PSI_SMITH_01"); TA_Smith_Fire(4,0,4,10,"PSI_SMITH_01"); TA_Smith_Anvil(4,10,4,20,"PSI_SMITH_01"); TA_Smith_Fire(4,20,4,30,"PSI_SMITH_01"); TA_Smith_Anvil(4,30,4,40,"PSI_SMITH_01"); TA_Smith_Cool(4,40,4,50,"PSI_SMITH_01"); TA_Smith_Sharp(4,50,4,55,"PSI_SMITH_01"); TA_SitAround(4,55,5,0,"PSI_SMITH_01"); TA_Smith_Fire(5,0,5,10,"PSI_SMITH_01"); TA_Smith_Anvil(5,10,5,20,"PSI_SMITH_01"); TA_Smith_Fire(5,20,5,30,"PSI_SMITH_01"); TA_Smith_Anvil(5,30,5,40,"PSI_SMITH_01"); TA_Smith_Cool(5,40,5,50,"PSI_SMITH_01"); TA_Smith_Sharp(5,50,5,55,"PSI_SMITH_01"); TA_SitAround(5,55,6,0,"PSI_SMITH_01"); TA_Smith_Fire(6,0,6,10,"PSI_SMITH_01"); TA_Smith_Anvil(6,10,6,20,"PSI_SMITH_01"); TA_Smith_Fire(6,20,6,30,"PSI_SMITH_01"); TA_Smith_Anvil(6,30,6,40,"PSI_SMITH_01"); TA_Smith_Cool(6,40,6,50,"PSI_SMITH_01"); TA_Smith_Sharp(6,50,6,55,"PSI_SMITH_01"); TA_SitAround(6,55,7,0,"PSI_SMITH_01"); TA_Smith_Fire(7,0,7,10,"PSI_SMITH_01"); TA_Smith_Anvil(7,10,7,20,"PSI_SMITH_01"); TA_Smith_Fire(7,20,7,30,"PSI_SMITH_01"); TA_Smith_Anvil(7,30,7,40,"PSI_SMITH_01"); TA_Smith_Cool(7,40,7,50,"PSI_SMITH_01"); TA_Smith_Sharp(7,50,7,55,"PSI_SMITH_01"); TA_SitAround(7,55,8,0,"PSI_SMITH_01"); }; func void Rtn_PrepareRitual_1316() { }; func void Rtn_OMFull_1316() { }; func void Rtn_FMTaken_1316() { }; func void Rtn_OrcAssault_1316() { };
D
/Users/sameersiddiqui/Projects/HafsaInspectorApp/Build/Intermediates/Pods.build/Debug-iphonesimulator/Material.build/Objects-normal/x86_64/MaterialCollectionViewLayout.o : /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/BarView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/BottomNavigationController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/BottomTabBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CapturePreview.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CaptureSession.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CaptureView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CardView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ControlView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ErrorTextField.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/FabButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/FlatButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Grid.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/IconButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ImageCardView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Layout.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+Obj-C.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+String.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIFont.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Blank.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Color.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Crop.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+FilterBlur.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Network.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Resize.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Size.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+TintColor.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialBasicAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialBorder.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionReusableView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewCell.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewDataSource.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewDelegate.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewLayout.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialColor.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialDataSourceItem.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialDepth.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialDevice.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialEdgeInset.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialFont.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialGravity.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialIcon.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialKeyframeAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialLabel.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialLayer.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialPulseAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialPulseView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialRadius.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialShape.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialSpacing.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialSwitch.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialTableViewCell.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialTextLayer.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialTransitionAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Menu.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MenuController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MenuView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationDrawerController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationItem.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/RaisedButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/RobotoFont.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/RootController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/SearchBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/SearchBarController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/StatusBarController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TabBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Text.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TextField.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TextStorage.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TextView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Toolbar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ToolbarController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sameersiddiqui/Projects/Test\ Code/SwiftTest/Pods/Google/Headers/module.modulemap /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Target\ Support\ Files/Material/Material-umbrella.h /Users/sameersiddiqui/Projects/HafsaInspectorApp/Build/Intermediates/Pods.build/Debug-iphonesimulator/Material.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/AVFoundation.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/CoreAudio.swiftmodule /Users/sameersiddiqui/Projects/HafsaInspectorApp/Build/Intermediates/Pods.build/Debug-iphonesimulator/Material.build/Objects-normal/x86_64/MaterialCollectionViewLayout~partial.swiftmodule : /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/BarView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/BottomNavigationController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/BottomTabBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CapturePreview.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CaptureSession.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CaptureView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CardView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ControlView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ErrorTextField.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/FabButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/FlatButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Grid.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/IconButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ImageCardView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Layout.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+Obj-C.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+String.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIFont.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Blank.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Color.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Crop.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+FilterBlur.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Network.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Resize.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Size.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+TintColor.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialBasicAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialBorder.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionReusableView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewCell.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewDataSource.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewDelegate.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewLayout.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialColor.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialDataSourceItem.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialDepth.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialDevice.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialEdgeInset.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialFont.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialGravity.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialIcon.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialKeyframeAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialLabel.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialLayer.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialPulseAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialPulseView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialRadius.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialShape.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialSpacing.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialSwitch.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialTableViewCell.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialTextLayer.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialTransitionAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Menu.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MenuController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MenuView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationDrawerController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationItem.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/RaisedButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/RobotoFont.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/RootController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/SearchBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/SearchBarController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/StatusBarController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TabBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Text.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TextField.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TextStorage.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TextView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Toolbar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ToolbarController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sameersiddiqui/Projects/Test\ Code/SwiftTest/Pods/Google/Headers/module.modulemap /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Target\ Support\ Files/Material/Material-umbrella.h /Users/sameersiddiqui/Projects/HafsaInspectorApp/Build/Intermediates/Pods.build/Debug-iphonesimulator/Material.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/AVFoundation.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/CoreAudio.swiftmodule /Users/sameersiddiqui/Projects/HafsaInspectorApp/Build/Intermediates/Pods.build/Debug-iphonesimulator/Material.build/Objects-normal/x86_64/MaterialCollectionViewLayout~partial.swiftdoc : /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/BarView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/BottomNavigationController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/BottomTabBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CapturePreview.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CaptureSession.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CaptureView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/CardView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ControlView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ErrorTextField.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/FabButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/FlatButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Grid.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/IconButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ImageCardView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Layout.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+Obj-C.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+String.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIFont.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Blank.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Color.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Crop.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+FilterBlur.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Network.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Resize.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+Size.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage+TintColor.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Material+UIImage.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialBasicAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialBorder.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionReusableView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewCell.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewDataSource.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewDelegate.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialCollectionViewLayout.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialColor.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialDataSourceItem.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialDepth.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialDevice.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialEdgeInset.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialFont.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialGravity.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialIcon.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialKeyframeAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialLabel.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialLayer.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialPulseAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialPulseView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialRadius.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialShape.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialSpacing.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialSwitch.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialTableViewCell.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialTextLayer.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialTransitionAnimation.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MaterialView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Menu.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MenuController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/MenuView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationDrawerController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/NavigationItem.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/RaisedButton.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/RobotoFont.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/RootController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/SearchBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/SearchBarController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/StatusBarController.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TabBar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Text.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TextField.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TextStorage.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/TextView.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/Toolbar.swift /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Material/Sources/iOS/ToolbarController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/sameersiddiqui/Projects/Test\ Code/SwiftTest/Pods/Google/Headers/module.modulemap /Users/sameersiddiqui/Projects/HafsaInspectorApp/Pods/Target\ Support\ Files/Material/Material-umbrella.h /Users/sameersiddiqui/Projects/HafsaInspectorApp/Build/Intermediates/Pods.build/Debug-iphonesimulator/Material.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/AVFoundation.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/CoreAudio.swiftmodule
D
platform/deca_spi.o: E:/UWB/dw1000_api_rev2p02/platform/deca_spi.c \ E:/UWB/dw1000_api_rev2p02/platform/deca_spi.h \ E:/UWB/dw1000_api_rev2p02/decadriver/deca_types.h \ E:/UWB/dw1000_api_rev2p02/decadriver/deca_device_api.h \ E:/UWB/dw1000_api_rev2p02/platform/port.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/device/stm32f1xx.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/device/stm32f103xb.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/core/core_cm3.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/core/core_cmInstr.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/core/cmsis_gcc.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/core/core_cmFunc.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/device/system_stm32f1xx.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_conf.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_rcc.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_def.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/Legacy/stm32_hal_legacy.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_rcc_ex.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_gpio.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_gpio_ex.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_dma.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_dma_ex.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_eth.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_can.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_can_ex.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_cec.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_cortex.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_adc.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_adc_ex.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_crc.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_dac.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_flash.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_flash_ex.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_sram.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_ll_fsmc.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_nor.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_i2c.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_i2s.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_iwdg.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_pwr.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_rtc.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_rtc_ex.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_pccard.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_sd.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_nand.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_spi.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_tim.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_tim_ex.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_uart.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_usart.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_irda.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_smartcard.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_wwdg.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_pcd.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_ll_usb.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_pcd_ex.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_hcd.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_uart.h \ E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_spi.h E:/UWB/dw1000_api_rev2p02/platform/deca_spi.h: E:/UWB/dw1000_api_rev2p02/decadriver/deca_types.h: E:/UWB/dw1000_api_rev2p02/decadriver/deca_device_api.h: E:/UWB/dw1000_api_rev2p02/platform/port.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/device/stm32f1xx.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/device/stm32f103xb.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/core/core_cm3.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/core/core_cmInstr.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/core/cmsis_gcc.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/core/core_cmFunc.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/CMSIS/device/system_stm32f1xx.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_conf.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_rcc.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_def.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/Legacy/stm32_hal_legacy.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_rcc_ex.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_gpio.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_gpio_ex.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_dma.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_dma_ex.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_eth.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_can.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_can_ex.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_cec.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_cortex.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_adc.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_adc_ex.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_crc.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_dac.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_flash.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_flash_ex.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_sram.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_ll_fsmc.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_nor.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_i2c.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_i2s.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_iwdg.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_pwr.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_rtc.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_rtc_ex.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_pccard.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_sd.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_nand.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_spi.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_tim.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_tim_ex.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_uart.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_usart.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_irda.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_smartcard.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_wwdg.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_pcd.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_ll_usb.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_pcd_ex.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_hcd.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_uart.h: E:/UWB/WS_F103C8T6/f103c8t6_hal_lib/HAL_Driver/Inc/stm32f1xx_hal_spi.h:
D
a shape that spreads outward a sudden burst of flame a burst of light used to communicate or illuminate reddening of the skin spreading outward from a focus of infection or irritation a sudden recurrence or worsening of symptoms a sudden eruption of intense high-energy radiation from the sun's surface am unwanted reflection in an optical system (or the fogging of an image that is caused by such a reflection) a sudden outburst of emotion a device that produces a bright light for warning or illumination or identification a short forward pass to a back who is running toward the sidelines (baseball) a fly ball hit a short distance into the outfield burn brightly become flared and widen, usually at one end shine with a sudden light erupt or intensify suddenly
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. */ /* * This code was generated by https://github.com/google/apis-client-generator/ * Modify at your own risk. */ module Google.Apis.Gmail.v1.Data.PopSettings; import vibe.data.json: optional; import std.typecons: Nullable; import std.datetime : SysTime; import std.conv: to; import Google.Apis.Gmail.v1.GmailMyNullable; /** * POP settings for an account. * * This is the D data model class that specifies how to parse/serialize into the JSON that is * transmitted over HTTP when working with the Gmail API. For a detailed explanation see: * * * @author Robert Aron. */ public struct PopSettings { /** * The range of messages which are accessible via POP. * The value may be {@code null}. */ @optional public string _accessWindow; /** * The action that will be executed on a message after it has been fetched via POP. * The value may be {@code null}. */ @optional public string _disposition; /** * The range of messages which are accessible via POP. * @return value or {@code null} for none */ public string getAccessWindow() { return _accessWindow; } /** * The range of messages which are accessible via POP. * @param accessWindow accessWindow or {@code null} for none */ public PopSettings setAccessWindow(string _accessWindow) { this._accessWindow = _accessWindow; return this; } /** * The action that will be executed on a message after it has been fetched via POP. * @return value or {@code null} for none */ public string getDisposition() { return _disposition; } /** * The action that will be executed on a message after it has been fetched via POP. * @param disposition disposition or {@code null} for none */ public PopSettings setDisposition(string _disposition) { this._disposition = _disposition; return this; } }
D
/Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Command.build/Run/Output+Help.swift.o : /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Command/Command.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Base/CommandRunnable.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/Output+Autocomplete.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Config/CommandConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Base/CommandOption.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/Console+Run.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/Output+Help.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Group/CommandGroup.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Group/BasicCommandGroup.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Utilities/CommandError.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Config/Commands.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Utilities/Utilities.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Utilities/Exports.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Command/CommandArgument.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/CommandInput.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/CommandContext.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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Command.build/Output+Help~partial.swiftmodule : /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Command/Command.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Base/CommandRunnable.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/Output+Autocomplete.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Config/CommandConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Base/CommandOption.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/Console+Run.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/Output+Help.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Group/CommandGroup.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Group/BasicCommandGroup.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Utilities/CommandError.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Config/Commands.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Utilities/Utilities.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Utilities/Exports.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Command/CommandArgument.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/CommandInput.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/CommandContext.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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Command.build/Output+Help~partial.swiftdoc : /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Command/Command.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Base/CommandRunnable.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/Output+Autocomplete.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Config/CommandConfig.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Base/CommandOption.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/Console+Run.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/Output+Help.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Group/CommandGroup.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Group/BasicCommandGroup.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Utilities/CommandError.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Config/Commands.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Utilities/Utilities.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Utilities/Exports.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Command/CommandArgument.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/CommandInput.swift /Users/Khanh/vapor/TILApp/.build/checkouts/console.git--2431895819212044213/Sources/Command/Run/CommandContext.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/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/cpp_magic.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIODarwin/include/c_nio_darwin.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOAtomics/include/c-atomics.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio.git-3108475404973543938/Sources/CNIOLinux/include/c_nio_linux.h /Users/Khanh/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--1071467962839356487/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/Khanh/vapor/TILApp/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.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
import std.stdio, std.range, std.algorithm, std.typecons, std.conv; Tuple!(double[], double[]) polyDiv(in double[] inN, in double[] inD) nothrow pure @safe { // Code smell: a function that does two things. static int trimAndDegree(T)(ref T[] poly) nothrow pure @safe @nogc { poly = poly.retro.find!q{ a != b }(0.0).retro; return poly.length.signed - 1; } auto N = inN.dup; const(double)[] D = inD; const dD = trimAndDegree(D); auto dN = trimAndDegree(N); double[] q; if (dD < 0) throw new Error("ZeroDivisionError"); if (dN >= dD) { q = [0.0].replicate(dN); while (dN >= dD) { auto d = [0.0].replicate(dN - dD) ~ D; immutable mult = q[dN - dD] = N[$ - 1] / d[$ - 1]; d[] *= mult; N[] -= d[]; dN = trimAndDegree(N); } } else q = [0.0]; return tuple(q, N); } int trimAndDegree1(T)(ref T[] poly) nothrow pure @safe @nogc { poly.length -= poly.retro.countUntil!q{ a != 0 }; return poly.length.signed - 1; } void main() { immutable N = [-42.0, 0.0, -12.0, 1.0]; immutable D = [-3.0, 1.0, 0.0, 0.0]; writefln("%s / %s = %s remainder %s", N, D, polyDiv(N, D)[]); }
D
/Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Intermediates.noindex/SiberSuclarTanitim.build/Debug-iphonesimulator/SiberSuclarTanitim.build/Objects-normal/x86_64/DuyuruCell.o : /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/LoginService.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/AppDelegate.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarDelegate.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarModel.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/YemekCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EtkinlikCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EgitimCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/HaberCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/RehberCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/FaaliyetCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/DuyuruCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/BaskanlikTanitim.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarIcon.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBar.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/Weather.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/HTTPConnectionHandler.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/WeatherTableViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/BaseViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EtkinlikTakvimiViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ServisRehberiViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/IstekOneriViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/RehberCellDetailViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/HaberDetailViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/LoginViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EgitimPopUpViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/DuyuruPopUpViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/RehberViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EgitimlerViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/FaaliyetlerViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/MenuViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/YemekMenusuViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/DuyurularHaberler.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/Merkezler.swift /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/AlamofireImage.swiftmodule/x86_64.swiftmodule /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarAppearance.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarScopeHandle.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCell.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDynamicHeader.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarStickyHeader.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCalculator.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarTransitionCoordinator.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarExtensions.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarConstants.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-Swift.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionViewLayout.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionView.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarHeaderView.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarWeekdayView.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationFactory.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationProxy.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Intermediates.noindex/SiberSuclarTanitim.build/Debug-iphonesimulator/SiberSuclarTanitim.build/Objects-normal/x86_64/DuyuruCell~partial.swiftmodule : /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/LoginService.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/AppDelegate.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarDelegate.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarModel.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/YemekCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EtkinlikCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EgitimCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/HaberCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/RehberCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/FaaliyetCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/DuyuruCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/BaskanlikTanitim.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarIcon.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBar.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/Weather.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/HTTPConnectionHandler.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/WeatherTableViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/BaseViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EtkinlikTakvimiViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ServisRehberiViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/IstekOneriViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/RehberCellDetailViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/HaberDetailViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/LoginViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EgitimPopUpViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/DuyuruPopUpViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/RehberViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EgitimlerViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/FaaliyetlerViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/MenuViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/YemekMenusuViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/DuyurularHaberler.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/Merkezler.swift /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/AlamofireImage.swiftmodule/x86_64.swiftmodule /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarAppearance.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarScopeHandle.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCell.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDynamicHeader.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarStickyHeader.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCalculator.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarTransitionCoordinator.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarExtensions.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarConstants.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-Swift.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionViewLayout.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionView.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarHeaderView.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarWeekdayView.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationFactory.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationProxy.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Intermediates.noindex/SiberSuclarTanitim.build/Debug-iphonesimulator/SiberSuclarTanitim.build/Objects-normal/x86_64/DuyuruCell~partial.swiftdoc : /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/LoginService.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/AppDelegate.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarDelegate.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarModel.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/YemekCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EtkinlikCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EgitimCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/HaberCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/RehberCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/FaaliyetCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/DuyuruCell.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/BaskanlikTanitim.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBarIcon.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ModernSearchBar.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/Weather.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/HTTPConnectionHandler.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/WeatherTableViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/BaseViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EtkinlikTakvimiViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/ServisRehberiViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/IstekOneriViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/RehberCellDetailViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/HaberDetailViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/LoginViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EgitimPopUpViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/DuyuruPopUpViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/RehberViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/EgitimlerViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/FaaliyetlerViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/MenuViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/YemekMenusuViewController.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/DuyurularHaberler.swift /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/SiberSuclarTanitim/Merkezler.swift /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/AlamofireImage.swiftmodule/x86_64.swiftmodule /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar-umbrella.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarAppearance.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarScopeHandle.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCell.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendar.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDynamicHeader.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarStickyHeader.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCalculator.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarTransitionCoordinator.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarExtensions.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarConstants.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Headers/AlamofireImage-Swift.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionViewLayout.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarCollectionView.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarHeaderView.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarWeekdayView.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationFactory.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Headers/FSCalendarDelegationProxy.h /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/AlamofireImage/AlamofireImage.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Tanitim_calisma/SiberSuclarTanitim/DerivedData/SiberSuclarTanitim/Build/Products/Debug-iphonesimulator/FSCalendar/FSCalendar.framework/Modules/module.modulemap /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Users/alimurat_mac/Desktop/Program_archive/Xcode-beta.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.2.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes
D
the state of being invaded or overrun by parasites a swarm of insects that attack plants
D
/** winineti.d Converted from 'winineti.h'. Version: V7.0 Authors: Koji Kishita */ module c.windows.winineti; import c.windows.sdkddkver; import c.windows.windef; import c.windows.wtypes; import c.windows.wininet; import c.windows.winbase; import c.windows.wincrypt; import c.windows.schannel; import c.windows.iedial; import c.windows.sspi; extern(C){ enum MAX_CACHE_ENTRY_INFO_SIZE = 4096; /*enum { move to wininet INTERNET_FLAG_BGUPDATE = 0x00000008, INTERNET_FLAG_FTP_FOLDER_VIEW = 0x00000004, INTERNET_FLAGS_MASK_INTERNAL = INTERNET_FLAGS_MASK | INTERNET_FLAG_FTP_FOLDER_VIEW, }*/ struct INTERNET_PREFETCH_STATUS { DWORD dwStatus; DWORD dwSize; } alias INTERNET_PREFETCH_STATUS* LPINTERNET_PREFETCH_STATUS; enum { INTERNET_PREFETCH_PROGRESS = 0, INTERNET_PREFETCH_COMPLETE = 1, INTERNET_PREFETCH_ABORTED = 2, } enum { INTERNET_ONLINE_OFFLINE_INFO = INTERNET_CONNECTED_INFO, LPINTERNET_ONLINE_OFFLINE_INFO = LPINTERNET_CONNECTED_INFO, } // dwOfflineState dwConnectedState enum ISO_FORCE_OFFLINE = ISO_FORCE_DISCONNECTED; enum { DLG_FLAGS_INVALID_CA = 0x01000000, DLG_FLAGS_SEC_CERT_CN_INVALID = 0x02000000, DLG_FLAGS_SEC_CERT_DATE_INVALID = 0x04000000, DLG_FLAGS_SEC_CERT_REV_FAILED = 0x00800000, } struct INTERNET_SECURITY_INFO { DWORD dwSize; PCCERT_CONTEXT pCertificate; PCCERT_CHAIN_CONTEXT pcCertChain; SecPkgContext_ConnectionInfo connectionInfo; SecPkgContext_CipherInfo cipherInfo; PCCERT_CHAIN_CONTEXT pcUnverifiedCertChain; SecPkgContext_Bindings channelBindingToken; } alias INTERNET_SECURITY_INFO* LPINTERNET_SECURITY_INFO; struct INTERNET_SECURITY_CONNECTION_INFO { DWORD dwSize; BOOL fSecure; SecPkgContext_ConnectionInfo connectionInfo; SecPkgContext_CipherInfo cipherInfo; } alias INTERNET_SECURITY_CONNECTION_INFO* LPINTERNET_SECURITY_CONNECTION_INFO; export extern(Windows) BOOL InternetAlgIdToStringA(ALG_ID ai, LPSTR lpstr, LPDWORD lpdwBufferLength, DWORD dwReserved); export extern(Windows) BOOL InternetAlgIdToStringW(ALG_ID ai, LPWSTR lpstr, LPDWORD lpdwBufferLength, DWORD dwReserved); version(UNICODE) alias InternetAlgIdToStringW InternetAlgIdToString; else alias InternetAlgIdToStringA InternetAlgIdToString; export extern(Windows) BOOL InternetSecurityProtocolToStringA(DWORD dwProtocol, LPSTR lpstr, LPDWORD lpdwBufferLength, DWORD dwReserved); export extern(Windows) BOOL InternetSecurityProtocolToStringW(DWORD dwProtocol, LPWSTR lpstr, LPDWORD lpdwBufferLength, DWORD dwReserved); version(UNICODE) alias InternetSecurityProtocolToStringW InternetSecurityProtocolToString; else alias InternetSecurityProtocolToStringA InternetSecurityProtocolToString; static if(_WIN32_IE >= _WIN32_IE_IE70){ export extern(Windows) BOOL InternetGetSecurityInfoByURLA(LPSTR lpszURL, PCCERT_CHAIN_CONTEXT* ppCertChain, DWORD* pdwSecureFlags); export extern(Windows) BOOL InternetGetSecurityInfoByURLW(LPCWSTR lpszURL, PCCERT_CHAIN_CONTEXT* ppCertChain, DWORD* pdwSecureFlags); version(UNICODE) alias InternetGetSecurityInfoByURLW InternetGetSecurityInfoByURL; else alias InternetGetSecurityInfoByURLA InternetGetSecurityInfoByURL; } export extern(Windows) DWORD ShowSecurityInfo(HWND hWndParent, LPINTERNET_SECURITY_INFO pSecurityInfo); export extern(Windows) DWORD ShowX509EncodedCertificate(HWND hWndParent, LPBYTE lpCert, DWORD cbCert); export extern(Windows) DWORD ShowClientAuthCerts(HWND hWndParent); export extern(Windows) DWORD ParseX509EncodedCertificateForListBoxEntry(LPBYTE lpCert, DWORD cbCert, LPSTR lpszListBoxEntry, LPDWORD lpdwListBoxEntry); export extern(Windows) BOOL InternetShowSecurityInfoByURLA(LPSTR lpszURL, HWND hwndParent); export extern(Windows) BOOL InternetShowSecurityInfoByURLW(LPCWSTR lpszURL, HWND hwndParent); version(UNICODE) alias InternetShowSecurityInfoByURLW InternetShowSecurityInfoByURL; else alias InternetShowSecurityInfoByURLA InternetShowSecurityInfoByURL; enum { FORTCMD_LOGON = 1, FORTCMD_LOGOFF = 2, FORTCMD_CHG_PERSONALITY = 3, } alias int FORTCMD; export extern(Windows) BOOL InternetFortezzaCommand(DWORD dwCommand, HWND hwnd, DWORD_PTR dwReserved); enum { FORTSTAT_INSTALLED = 0x00000001, FORTSTAT_LOGGEDON = 0x00000002, } alias int FORTSTAT; export extern(Windows) BOOL InternetQueryFortezzaStatus(DWORD* pdwStatus, DWORD_PTR dwReserved); export extern(Windows) BOOL InternetDebugGetLocalTime(SYSTEMTIME* pstLocalTime, DWORD* pdwReserved); enum { ICU_ESCAPE_AUTHORITY = 0x00002000, INTERNET_SERVICE_URL = 0, } HINTERNET InternetConnectUrl(HINTERNET hInternet, LPCTSTR lpszUrl, DWORD dwFlags, DWORD_PTR dwContext) { return InternetConnect(hInternet, lpszUrl, INTERNET_INVALID_PORT_NUMBER, null, null, INTERNET_SERVICE_URL, dwFlags, dwContext); } export extern(Windows) BOOL InternetWriteFileExA(HINTERNET hFile, LPINTERNET_BUFFERSA lpBuffersIn, DWORD dwFlags, DWORD_PTR dwContext); export extern(Windows) BOOL InternetWriteFileExW(HINTERNET hFile, LPINTERNET_BUFFERSW lpBuffersIn, DWORD dwFlags, DWORD_PTR dwContext); version(UNICODE) alias InternetWriteFileExW InternetWriteFileEx; else alias InternetWriteFileExA InternetWriteFileEx; enum { INTERNET_OPTION_CONTEXT_VALUE_OLD = 10, INTERNET_OPTION_NET_SPEED = 61, INTERNET_OPTION_SECURITY_CONNECTION_INFO = 66, INTERNET_OPTION_DETECT_POST_SEND = 71, INTERNET_OPTION_DISABLE_NTLM_PREAUTH = 72, INTERNET_OPTION_ORIGINAL_CONNECT_FLAGS = 97, INTERNET_OPTION_CERT_ERROR_FLAGS = 98, INTERNET_OPTION_IGNORE_CERT_ERROR_FLAGS = 99, INTERNET_OPTION_SESSION_START_TIME = 106, INTERNET_OPTION_PROXY_CREDENTIALS = 107, INTERNET_OPTION_EXTENDED_CALLBACKS = 108, INTERNET_OPTION_PROXY_FROM_REQUEST = 109, INTERNET_OPTION_ALLOW_FAILED_CONNECT_CONTENT = 110, INTERNET_OPTION_CACHE_PARTITION = 111, INTERNET_OPTION_AUTODIAL_HWND = 112, INTERNET_OPTION_SERVER_CREDENTIALS = 113, INTERNET_OPTION_WPAD_SLEEP = 114, INTERNET_LAST_OPTION_INTERNAL = INTERNET_OPTION_WPAD_SLEEP, INTERNET_OPTION_OFFLINE_TIMEOUT = INTERNET_OPTION_DISCONNECTED_TIMEOUT, INTERNET_OPTION_LINE_STATE = INTERNET_OPTION_CONNECTED_STATE, } enum AUTH_FLAG_RESET = 0x00000000; enum { INTERNET_STATUS_PROXY_CREDENTIALS = 400, INTERNET_STATUS_SERVER_CREDENTIALS = 401, INTERNET_STATUS_SERVER_CONNECTION_STATE = 410, INTERNET_STATUS_END_BROWSER_SESSION = 420, INTERNET_STATUS_COOKIE = 430, } struct INTERNET_SERVER_CONNECTION_STATE { LPCWSTR lpcwszHostName; BOOL fProxy; DWORD dwCounter; DWORD dwConnectionLimit; DWORD dwAvailableCreates; DWORD dwAvailableKeepAlives; DWORD dwActiveConnections; DWORD dwWaiters; } alias INTERNET_SERVER_CONNECTION_STATE* PINTERNET_SERVER_CONNECTION_STATE; struct INTERNET_END_BROWSER_SESSION_DATA { LPVOID lpBuffer; DWORD dwBufferLength; } alias INTERNET_END_BROWSER_SESSION_DATA* PINTERNET_END_BROWSER_SESSION_DATA; struct INTERNET_CALLBACK_COOKIE { PCWSTR pcwszName; PCWSTR pcwszValue; PCWSTR pcwszDomain; PCWSTR pcwszPath; FILETIME ftExpires; DWORD dwFlags; } alias INTERNET_CALLBACK_COOKIE* PINTERNET_CALLBACK_COOKIE; struct INTERNET_CREDENTIALS { LPCWSTR lpcwszHostName; DWORD dwPort; DWORD dwScheme; LPCWSTR lpcwszUrl; LPCWSTR lpcwszRealm; BOOL fAuthIdentity; union { struct { LPCWSTR lpcwszUserName; LPCWSTR lpcwszPassword; } PVOID pAuthIdentityOpaque; } } alias INTERNET_CREDENTIALS* PINTERNET_CREDENTIALS; enum { COOKIE_STATE_LB = 0, COOKIE_STATE_UB = 5, } enum MaxPrivacySettings = 0x4000; export extern(Windows) int FindP3PPolicySymbol(const(char)* pszSymbol); enum { INTERNET_STATE_ONLINE = INTERNET_STATE_CONNECTED, INTERNET_STATE_OFFLINE = INTERNET_STATE_DISCONNECTED, INTERNET_STATE_OFFLINE_USER = INTERNET_STATE_DISCONNECTED_BY_USER, INTERNET_LINE_STATE_MASK = INTERNET_STATE_ONLINE | INTERNET_STATE_OFFLINE, INTERNET_BUSY_STATE_MASK = INTERNET_STATE_IDLE | INTERNET_STATE_BUSY, } enum { INTERNET_STATUS_FILTER_RESOLVING = 0x00000001, INTERNET_STATUS_FILTER_RESOLVED = 0x00000002, INTERNET_STATUS_FILTER_CONNECTING = 0x00000004, INTERNET_STATUS_FILTER_CONNECTED = 0x00000008, INTERNET_STATUS_FILTER_SENDING = 0x00000010, INTERNET_STATUS_FILTER_SENT = 0x00000020, INTERNET_STATUS_FILTER_RECEIVING = 0x00000040, INTERNET_STATUS_FILTER_RECEIVED = 0x00000080, INTERNET_STATUS_FILTER_CLOSING = 0x00000100, INTERNET_STATUS_FILTER_CLOSED = 0x00000200, INTERNET_STATUS_FILTER_HANDLE_CREATED = 0x00000400, INTERNET_STATUS_FILTER_HANDLE_CLOSING = 0x00000800, INTERNET_STATUS_FILTER_PREFETCH = 0x00001000, INTERNET_STATUS_FILTER_REDIRECT = 0x00002000, INTERNET_STATUS_FILTER_STATE_CHANGE = 0x00004000, } struct INTERNET_COOKIE { DWORD cbSize; LPSTR pszName; LPSTR pszData; LPSTR pszDomain; LPSTR pszPath; FILETIME* pftExpires; DWORD dwFlags; LPSTR pszUrl; LPSTR pszP3PPolicy; } alias INTERNET_COOKIE* PINTERNET_COOKIE; struct COOKIE_DLG_INFO { LPWSTR pszServer; PINTERNET_COOKIE pic; DWORD dwStopWarning; INT cx; INT cy; LPWSTR pszHeader; DWORD dwOperation; } alias COOKIE_DLG_INFO* PCOOKIE_DLG_INFO; enum { COOKIE_DONT_ALLOW = 1, COOKIE_ALLOW = 2, COOKIE_ALLOW_ALL = 4, COOKIE_DONT_ALLOW_ALL = 8, } enum { COOKIE_OP_SET = 0x01, COOKIE_OP_MODIFY = 0x02, COOKIE_OP_GET = 0x04, COOKIE_OP_SESSION = 0x08, COOKIE_OP_PERSISTENT = 0x10, COOKIE_OP_3RD_PARTY = 0x20, } enum { INTERNET_COOKIE_RESTRICTED_ZONE = 0x00020000, INTERNET_COOKIE_NO_CALLBACK = 0x40000000, INTERNET_COOKIE_ECTX_3RDPARTY = 0x80000000, } export extern(Windows) BOOL HttpCheckDavComplianceA(LPCSTR lpszUrl, LPCSTR lpszComplianceToken, LPBOOL lpfFound, HWND hWnd, LPVOID lpvReserved); export extern(Windows) BOOL HttpCheckDavComplianceW(LPCWSTR lpszUrl, LPCWSTR lpszComplianceToken, LPBOOL lpfFound, HWND hWnd, LPVOID lpvReserved); version(UNICODE) alias HttpCheckDavComplianceW HttpCheckDavCompliance; else alias HttpCheckDavComplianceA HttpCheckDavCompliance; export extern(Windows) BOOL HttpCheckCachedDavStatusA(LPCSTR lpszUrl, LPDWORD lpdwStatus); export extern(Windows) BOOL HttpCheckCachedDavStatusW(LPCWSTR lpszUrl, LPDWORD lpdwStatus); version(UNICODE) alias HttpCheckCachedDavStatusW HttpCheckCachedDavStatus; else alias HttpCheckCachedDavStatusA HttpCheckCachedDavStatus; export extern(Windows) BOOL HttpCheckDavCollectionA(LPCSTR lpszUrl, LPBOOL lpfFound, HWND hWnd, LPVOID lpvReserved); export extern(Windows) BOOL HttpCheckDavCollectionW(LPCWSTR lpszUrl, LPBOOL lpfFound, HWND hWnd, LPVOID lpvReserved); version(UNICODE) alias HttpCheckDavCollectionW HttpCheckDavCollection; else alias HttpCheckDavCollectionA HttpCheckDavCollection; enum { DAV_LEVEL1_STATUS = 0x00000001, DAV_COLLECTION_STATUS = 0x00004000, DAV_DETECTION_REQUIRED = 0x00008000, FLAGS_ERROR_UI_SHOW_IDN_HOSTNAME = 0x20, ERROR_INTERNET_NO_NEW_CONTAINERS = INTERNET_ERROR_BASE + 51, ERROR_INTERNET_OFFLINE = ERROR_INTERNET_DISCONNECTED, INTERNET_INTERNAL_ERROR_BASE = INTERNET_ERROR_BASE + 900, ERROR_INTERNET_INTERNAL_SOCKET_ERROR = INTERNET_INTERNAL_ERROR_BASE + 1, ERROR_INTERNET_CONNECTION_AVAILABLE = INTERNET_INTERNAL_ERROR_BASE + 2, ERROR_INTERNET_NO_KNOWN_SERVERS = INTERNET_INTERNAL_ERROR_BASE + 3, ERROR_INTERNET_PING_FAILED = INTERNET_INTERNAL_ERROR_BASE + 4, ERROR_INTERNET_NO_PING_SUPPORT = INTERNET_INTERNAL_ERROR_BASE + 5, ERROR_INTERNET_CACHE_SUCCESS = INTERNET_INTERNAL_ERROR_BASE + 6, ERROR_HTTP_COOKIE_NEEDS_CONFIRMATION_EX = INTERNET_INTERNAL_ERROR_BASE + 7, HTTP_1_1_CACHE_ENTRY = 0x00000040, STATIC_CACHE_ENTRY = 0x00000080, MUST_REVALIDATE_CACHE_ENTRY = 0x00000100, SHORTPATH_CACHE_ENTRY = 0x00000200, COOKIE_ACCEPTED_CACHE_ENTRY = 0x00001000, COOKIE_LEASHED_CACHE_ENTRY = 0x00002000, COOKIE_DOWNGRADED_CACHE_ENTRY = 0x00004000, COOKIE_REJECTED_CACHE_ENTRY = 0x00008000, PRIVACY_MODE_CACHE_ENTRY = 0x00020000, XDR_CACHE_ENTRY = 0x00040000, PENDING_DELETE_CACHE_ENTRY = 0x00400000, OTHER_USER_CACHE_ENTRY = 0x00800000, PRIVACY_IMPACTED_CACHE_ENTRY = 0x02000000, POST_RESPONSE_CACHE_ENTRY = 0x04000000, INSTALLED_CACHE_ENTRY = 0x10000000, POST_CHECK_CACHE_ENTRY = 0x20000000, IDENTITY_CACHE_ENTRY = 0x80000000, ANY_CACHE_ENTRY = 0xFFFFFFFF, INCLUDE_BY_DEFAULT_CACHE_ENTRY = HTTP_1_1_CACHE_ENTRY | STATIC_CACHE_ENTRY | MUST_REVALIDATE_CACHE_ENTRY | PRIVACY_IMPACTED_CACHE_ENTRY | POST_CHECK_CACHE_ENTRY | COOKIE_ACCEPTED_CACHE_ENTRY | COOKIE_LEASHED_CACHE_ENTRY | COOKIE_DOWNGRADED_CACHE_ENTRY | COOKIE_REJECTED_CACHE_ENTRY | SHORTPATH_CACHE_ENTRY , CACHEGROUP_FLAG_VALID = 0x00000007, CACHEGROUP_ID_BUILTIN_STICKY = 0x1000000000000007, } struct INTERNET_CACHE_CONFIG_PATH_ENTRYA { CHAR[MAX_PATH] CachePath; DWORD dwCacheSize; } alias INTERNET_CACHE_CONFIG_PATH_ENTRYA* LPINTERNET_CACHE_CONFIG_PATH_ENTRYA; struct INTERNET_CACHE_CONFIG_PATH_ENTRYW { WCHAR[MAX_PATH] CachePath; DWORD dwCacheSize; } alias INTERNET_CACHE_CONFIG_PATH_ENTRYW* LPINTERNET_CACHE_CONFIG_PATH_ENTRYW; version(UNICODE){ alias INTERNET_CACHE_CONFIG_PATH_ENTRYW INTERNET_CACHE_CONFIG_PATH_ENTRY; alias LPINTERNET_CACHE_CONFIG_PATH_ENTRYW LPINTERNET_CACHE_CONFIG_PATH_ENTRY; }else{ alias INTERNET_CACHE_CONFIG_PATH_ENTRYA INTERNET_CACHE_CONFIG_PATH_ENTRY; alias LPINTERNET_CACHE_CONFIG_PATH_ENTRYA LPINTERNET_CACHE_CONFIG_PATH_ENTRY; } struct INTERNET_CACHE_CONFIG_INFOA { DWORD dwStructSize; DWORD dwContainer; DWORD dwQuota; DWORD dwReserved4; BOOL fPerUser; DWORD dwSyncMode; DWORD dwNumCachePaths; union { struct { CHAR[MAX_PATH] CachePath; DWORD dwCacheSize; } INTERNET_CACHE_CONFIG_PATH_ENTRYA[1] CachePaths; } DWORD dwNormalUsage; DWORD dwExemptUsage; } alias INTERNET_CACHE_CONFIG_INFOA* LPINTERNET_CACHE_CONFIG_INFOA; struct INTERNET_CACHE_CONFIG_INFOW { DWORD dwStructSize; DWORD dwContainer; DWORD dwQuota; DWORD dwReserved4; BOOL fPerUser; DWORD dwSyncMode; DWORD dwNumCachePaths; union { struct { WCHAR[MAX_PATH] CachePath; DWORD dwCacheSize; } INTERNET_CACHE_CONFIG_PATH_ENTRYW[1] CachePaths; } DWORD dwNormalUsage; DWORD dwExemptUsage; } alias INTERNET_CACHE_CONFIG_INFOW* LPINTERNET_CACHE_CONFIG_INFOW; version(UNICODE){ alias INTERNET_CACHE_CONFIG_INFOW INTERNET_CACHE_CONFIG_INFO; alias LPINTERNET_CACHE_CONFIG_INFOW LPINTERNET_CACHE_CONFIG_INFO; }else{ alias INTERNET_CACHE_CONFIG_INFOA INTERNET_CACHE_CONFIG_INFO; alias LPINTERNET_CACHE_CONFIG_INFOA LPINTERNET_CACHE_CONFIG_INFO; } export extern(Windows) BOOL IsUrlCacheEntryExpiredA(LPCSTR lpszUrlName, DWORD dwFlags, FILETIME* pftLastModified); export extern(Windows) BOOL IsUrlCacheEntryExpiredW(LPCWSTR lpszUrlName, DWORD dwFlags, FILETIME* pftLastModified); version(UNICODE) alias IsUrlCacheEntryExpiredW IsUrlCacheEntryExpired; else alias IsUrlCacheEntryExpiredA IsUrlCacheEntryExpired; enum { INTERNET_CACHE_FLAG_ALLOW_COLLISIONS = 0x00000100, INTERNET_CACHE_FLAG_INSTALLED_ENTRY = 0x00000200, INTERNET_CACHE_FLAG_ENTRY_OR_MAPPING = 0x00000400, INTERNET_CACHE_FLAG_ADD_FILENAME_ONLY = 0x00000800, INTERNET_CACHE_FLAG_GET_STRUCT_ONLY = 0x00001000, CACHE_ENTRY_TYPE_FC = 0x00001000, CACHE_ENTRY_MODIFY_DATA_FC = 0x80000000, INTERNET_CACHE_CONTAINER_NOSUBDIRS = 0x1, INTERNET_CACHE_CONTAINER_AUTODELETE = 0x2, INTERNET_CACHE_CONTAINER_RESERVED1 = 0x4, INTERNET_CACHE_CONTAINER_NODESKTOPINIT = 0x8, INTERNET_CACHE_CONTAINER_MAP_ENABLED = 0x10, } export extern(Windows) BOOL CreateUrlCacheContainerA(LPCSTR Name, LPCSTR lpCachePrefix, LPCSTR lpszCachePath, DWORD KBCacheLimit, DWORD dwContainerType, DWORD dwOptions, LPVOID pvBuffer, LPDWORD cbBuffer); export extern(Windows) BOOL CreateUrlCacheContainerW(LPCWSTR Name, LPCWSTR lpCachePrefix, LPCWSTR lpszCachePath, DWORD KBCacheLimit, DWORD dwContainerType, DWORD dwOptions, LPVOID pvBuffer, LPDWORD cbBuffer); version(UNICODE) alias CreateUrlCacheContainerW CreateUrlCacheContainer; else alias CreateUrlCacheContainerA CreateUrlCacheContainer; export extern(Windows) BOOL DeleteUrlCacheContainerA(LPCSTR Name, DWORD dwOptions); export extern(Windows) BOOL DeleteUrlCacheContainerW(LPCWSTR Name, DWORD dwOptions); version(UNICODE) alias DeleteUrlCacheContainerW DeleteUrlCacheContainer; else alias DeleteUrlCacheContainerA DeleteUrlCacheContainer; struct INTERNET_CACHE_CONTAINER_INFOA { DWORD dwCacheVersion; LPSTR lpszName; LPSTR lpszCachePrefix; LPSTR lpszVolumeLabel; LPSTR lpszVolumeTitle; } alias INTERNET_CACHE_CONTAINER_INFOA* LPINTERNET_CACHE_CONTAINER_INFOA; struct INTERNET_CACHE_CONTAINER_INFOW { DWORD dwCacheVersion; LPWSTR lpszName; LPWSTR lpszCachePrefix; LPWSTR lpszVolumeLabel; LPWSTR lpszVolumeTitle; } alias INTERNET_CACHE_CONTAINER_INFOW* LPINTERNET_CACHE_CONTAINER_INFOW; version(UNICODE){ alias INTERNET_CACHE_CONTAINER_INFOW INTERNET_CACHE_CONTAINER_INFO; alias LPINTERNET_CACHE_CONTAINER_INFOW LPINTERNET_CACHE_CONTAINER_INFO; }else{ alias INTERNET_CACHE_CONTAINER_INFOA INTERNET_CACHE_CONTAINER_INFO; alias LPINTERNET_CACHE_CONTAINER_INFOA LPINTERNET_CACHE_CONTAINER_INFO; } enum CACHE_FIND_CONTAINER_RETURN_NOCHANGE = 0x1; export extern(Windows) HANDLE FindFirstUrlCacheContainerA(LPDWORD pdwModified, LPINTERNET_CACHE_CONTAINER_INFOA lpContainerInfo, LPDWORD lpcbContainerInfo, DWORD dwOptions); export extern(Windows) HANDLE FindFirstUrlCacheContainerW(LPDWORD pdwModified, LPINTERNET_CACHE_CONTAINER_INFOW lpContainerInfo, LPDWORD lpcbContainerInfo, DWORD dwOptions); version(UNICODE) alias FindFirstUrlCacheContainerW FindFirstUrlCacheContainer; else alias FindFirstUrlCacheContainerA FindFirstUrlCacheContainer; export extern(Windows) BOOL FindNextUrlCacheContainerA(HANDLE hEnumHandle, LPINTERNET_CACHE_CONTAINER_INFOA lpContainerInfo, LPDWORD lpcbContainerInfo); export extern(Windows) BOOL FindNextUrlCacheContainerW(HANDLE hEnumHandle, LPINTERNET_CACHE_CONTAINER_INFOW lpContainerInfo, LPDWORD lpcbContainerInfo); version(UNICODE) alias FindNextUrlCacheContainerW FindNextUrlCacheContainer; else alias FindNextUrlCacheContainerA FindNextUrlCacheContainer; enum { WININET_SYNC_MODE_NEVER = 0, WININET_SYNC_MODE_ON_EXPIRY, WININET_SYNC_MODE_ONCE_PER_SESSION, WININET_SYNC_MODE_ALWAYS, WININET_SYNC_MODE_AUTOMATIC, WININET_SYNC_MODE_DEFAULT = WININET_SYNC_MODE_AUTOMATIC } alias int WININET_SYNC_MODE; export extern(Windows) BOOL FreeUrlCacheSpaceA(LPCSTR lpszCachePath, DWORD dwSize, DWORD dwFilter); export extern(Windows) BOOL FreeUrlCacheSpaceW(LPCWSTR lpszCachePath, DWORD dwSize, DWORD dwFilter); version(UNICODE) alias FreeUrlCacheSpaceW FreeUrlCacheSpace; else alias FreeUrlCacheSpaceA FreeUrlCacheSpace; enum { CACHE_CONFIG_FORCE_CLEANUP_FC = 0x00000020, CACHE_CONFIG_DISK_CACHE_PATHS_FC = 0x00000040, CACHE_CONFIG_SYNC_MODE_FC = 0x00000080, CACHE_CONFIG_CONTENT_PATHS_FC = 0x00000100, CACHE_CONFIG_COOKIES_PATHS_FC = 0x00000200, CACHE_CONFIG_HISTORY_PATHS_FC = 0x00000400, CACHE_CONFIG_QUOTA_FC = 0x00000800, CACHE_CONFIG_USER_MODE_FC = 0x00001000, CACHE_CONFIG_CONTENT_USAGE_FC = 0x00002000, CACHE_CONFIG_STICKY_CONTENT_USAGE_FC = 0x00004000, } export extern(Windows) BOOL GetUrlCacheConfigInfoA(LPINTERNET_CACHE_CONFIG_INFOA lpCacheConfigInfo, LPDWORD lpcbCacheConfigInfo, DWORD dwFieldControl); export extern(Windows) BOOL GetUrlCacheConfigInfoW(LPINTERNET_CACHE_CONFIG_INFOW lpCacheConfigInfo, LPDWORD lpcbCacheConfigInfo, DWORD dwFieldControl); version(UNICODE) alias GetUrlCacheConfigInfoW GetUrlCacheConfigInfo; else alias GetUrlCacheConfigInfoA GetUrlCacheConfigInfo; export extern(Windows) BOOL SetUrlCacheConfigInfoA(LPINTERNET_CACHE_CONFIG_INFOA lpCacheConfigInfo, DWORD dwFieldControl); export extern(Windows) BOOL SetUrlCacheConfigInfoW(LPINTERNET_CACHE_CONFIG_INFOW lpCacheConfigInfo, DWORD dwFieldControl); version(UNICODE) alias SetUrlCacheConfigInfoW SetUrlCacheConfigInfo; else alias SetUrlCacheConfigInfoA SetUrlCacheConfigInfo; export extern(Windows) DWORD RunOnceUrlCache(HWND hwnd, HINSTANCE hinst, LPSTR lpszCmd, int nCmdShow); export extern(Windows) DWORD DeleteIE3Cache(HWND hwnd, HINSTANCE hinst, LPSTR lpszCmd, int nCmdShow); export extern(Windows) BOOL UpdateUrlCacheContentPath(LPCSTR szNewPath); enum { CACHE_HEADER_DATA_CURRENT_SETTINGS_VERSION = 0, CACHE_HEADER_DATA_CONLIST_CHANGE_COUNT = 1, CACHE_HEADER_DATA_COOKIE_CHANGE_COUNT = 2, CACHE_HEADER_DATA_NOTIFICATION_HWND = 3, CACHE_HEADER_DATA_NOTIFICATION_MESG = 4, CACHE_HEADER_DATA_ROOTGROUP_OFFSET = 5, CACHE_HEADER_DATA_GID_LOW = 6, CACHE_HEADER_DATA_GID_HIGH = 7, CACHE_HEADER_DATA_CACHE_RESERVED_8 = 8, CACHE_HEADER_DATA_CACHE_RESERVED_9 = 9, CACHE_HEADER_DATA_CACHE_RESERVED_10 = 10, CACHE_HEADER_DATA_CACHE_RESERVED_11 = 11, CACHE_HEADER_DATA_CACHE_RESERVED_12 = 12, CACHE_HEADER_DATA_CACHE_RESERVED_13 = 13, CACHE_HEADER_DATA_SSL_STATE_COUNT = 14, CACHE_HEADER_DATA_DOWNLOAD_PARTIAL = CACHE_HEADER_DATA_SSL_STATE_COUNT, CACHE_HEADER_DATA_CACHE_RESERVED_15 = 15, CACHE_HEADER_DATA_CACHE_RESERVED_16 = 16, CACHE_HEADER_DATA_CACHE_RESERVED_17 = 17, CACHE_HEADER_DATA_CACHE_RESERVED_18 = 18, CACHE_HEADER_DATA_CACHE_RESERVED_19 = 19, CACHE_HEADER_DATA_CACHE_RESERVED_20 = 20, CACHE_HEADER_DATA_NOTIFICATION_FILTER = 21, CACHE_HEADER_DATA_ROOT_LEAK_OFFSET = 22, CACHE_HEADER_DATA_CACHE_RESERVED_23 = 23, CACHE_HEADER_DATA_CACHE_RESERVED_24 = 24, CACHE_HEADER_DATA_CACHE_RESERVED_25 = 25, CACHE_HEADER_DATA_CACHE_RESERVED_26 = 26, CACHE_HEADER_DATA_ROOT_GROUPLIST_OFFSET = 27, CACHE_HEADER_DATA_CACHE_RESERVED_28 = 28, CACHE_HEADER_DATA_CACHE_RESERVED_29 = 29, CACHE_HEADER_DATA_CACHE_RESERVED_30 = 30, CACHE_HEADER_DATA_CACHE_RESERVED_31 = 31, CACHE_HEADER_DATA_LAST = 31, CACHE_NOTIFY_ADD_URL = 0x00000001, CACHE_NOTIFY_DELETE_URL = 0x00000002, CACHE_NOTIFY_UPDATE_URL = 0x00000004, CACHE_NOTIFY_DELETE_ALL = 0x00000008, CACHE_NOTIFY_URL_SET_STICKY = 0x00000010, CACHE_NOTIFY_URL_UNSET_STICKY = 0x00000020, CACHE_NOTIFY_SET_ONLINE = 0x00000100, CACHE_NOTIFY_SET_OFFLINE = 0x00000200, CACHE_NOTIFY_FILTER_CHANGED = 0x10000000, } export extern(Windows) BOOL RegisterUrlCacheNotification(HWND hWnd, UINT uMsg, GROUPID gid, DWORD dwOpsFilter, DWORD dwReserved); BOOL GetUrlCacheHeaderData(DWORD nIdx, LPDWORD lpdwData); BOOL SetUrlCacheHeaderData(DWORD nIdx, DWORD dwData); BOOL IncrementUrlCacheHeaderData(DWORD nIdx, LPDWORD lpdwData); BOOL LoadUrlCacheContent(); BOOL GetUrlCacheContainerInfoA(LPSTR lpszUrlName, LPINTERNET_CACHE_CONTAINER_INFOA lpContainerInfo, LPDWORD lpdwContainerInfoBufferSize, DWORD dwOptions); BOOL GetUrlCacheContainerInfoW(LPWSTR lpszUrlName, LPINTERNET_CACHE_CONTAINER_INFOW lpContainerInfo, LPDWORD lpdwContainerInfoBufferSize, DWORD dwOptions); version(UNICODE) alias GetUrlCacheContainerInfoW GetUrlCacheContainerInfo; else alias GetUrlCacheContainerInfoA GetUrlCacheContainerInfo; export extern(Windows) DWORD InternetDialA(HWND hwndParent, LPSTR lpszConnectoid, DWORD dwFlags, DWORD_PTR* lpdwConnection, DWORD dwReserved); export extern(Windows) DWORD InternetDialW(HWND hwndParent, LPWSTR lpszConnectoid, DWORD dwFlags, DWORD_PTR* lpdwConnection, DWORD dwReserved); version(UNICODE) alias InternetDialW InternetDial; else alias InternetDialA InternetDial; enum { INTERNET_DIAL_FORCE_PROMPT = 0x2000, INTERNET_DIAL_SHOW_OFFLINE = 0x4000, INTERNET_DIAL_UNATTENDED = 0x8000, } export extern(Windows) DWORD InternetHangUp(DWORD_PTR dwConnection, DWORD dwReserved); enum { INTERENT_GOONLINE_REFRESH = 0x00000001, INTERENT_GOONLINE_MASK = 0x00000001, } export extern(Windows) BOOL InternetGoOnlineA(LPCSTR lpszURL, HWND hwndParent, DWORD dwFlags); export extern(Windows) BOOL InternetGoOnlineW(LPCWSTR lpszURL, HWND hwndParent, DWORD dwFlags); version(UNICODE) alias InternetGoOnlineW InternetGoOnline; else alias InternetGoOnlineA InternetGoOnline; export extern(Windows) BOOL InternetAutodial(DWORD dwFlags, HWND hwndParent); enum { INTERNET_AUTODIAL_FORCE_ONLINE = 1, INTERNET_AUTODIAL_FORCE_UNATTENDED = 2, INTERNET_AUTODIAL_FAILIFSECURITYCHECK = 4, INTERNET_AUTODIAL_OVERRIDE_NET_PRESENT = 8, INTERNET_AUTODIAL_FLAGS_MASK = INTERNET_AUTODIAL_FORCE_ONLINE | INTERNET_AUTODIAL_FORCE_UNATTENDED | INTERNET_AUTODIAL_FAILIFSECURITYCHECK | INTERNET_AUTODIAL_OVERRIDE_NET_PRESENT, } export extern(Windows) BOOL InternetAutodialHangup(DWORD dwReserved); export extern(Windows) BOOL InternetGetConnectedState(LPDWORD lpdwFlags, DWORD dwReserved); export extern(Windows) BOOL InternetGetConnectedStateExA(LPDWORD lpdwFlags, LPSTR lpszConnectionName, DWORD dwBufLen, DWORD dwReserved); export extern(Windows) BOOL InternetGetConnectedStateExW(LPDWORD lpdwFlags, LPWSTR lpszConnectionName, DWORD dwBufLen, DWORD dwReserved); export extern(Windows) HRESULT InternetGetDialEngineW(LPWSTR pwzConnectoid, IDialEventSink pdes, IDialEngine* ppde); export extern(Windows) HRESULT InternetGetDialBrandingW(LPWSTR pwzConnectoid, IDialBranding* ppdb); export extern(Windows) BOOL ReadGuidsForConnectedNetworks(DWORD* pcNetworks, PWSTR** pppwszNetworkGuids, BSTR** pppbstrNetworkNames, PWSTR** pppwszGWMacs, DWORD* pcGatewayMacs, DWORD* pdwFlags); enum { INTERNET_AUTOPROXY_INIT_DEFAULT = 0x1, INTERNET_AUTOPROXY_INIT_DOWNLOADSYNC = 0x2, INTERNET_AUTOPROXY_INIT_QUERYSTATE = 0x4, INTERNET_AUTOPROXY_INIT_ONLYQUERY = 0x8, INTERNET_AUTOPROXY_INIT_MASK = INTERNET_AUTOPROXY_INIT_DEFAULT|INTERNET_AUTOPROXY_INIT_DOWNLOADSYNC|INTERNET_AUTOPROXY_INIT_QUERYSTATE|INTERNET_AUTOPROXY_INIT_ONLYQUERY, } export extern(Windows) BOOL InternetInitializeAutoProxyDll(DWORD dwReserved); export extern(Windows) BOOL DetectAutoProxyUrl(LPSTR lpszAutoProxyUrl, DWORD dwAutoProxyUrlLength, DWORD dwDetectFlags); export extern(Windows) BOOL CreateMD5SSOHash(PWSTR pszChallengeInfo, PWSTR pwszRealm, PWSTR pwszTarget, PBYTE pbHexHash); version(UNICODE) alias InternetGetConnectedStateExW InternetGetConnectedStateEx; else alias InternetGetConnectedStateExA InternetGetConnectedStateEx; enum { INTERNET_CONNECTION_MODEM = 0x01, INTERNET_CONNECTION_LAN = 0x02, INTERNET_CONNECTION_PROXY = 0x04, INTERNET_CONNECTION_MODEM_BUSY = 0x08, INTERNET_RAS_INSTALLED = 0x10, INTERNET_CONNECTION_OFFLINE = 0x20, INTERNET_CONNECTION_CONFIGURED = 0x40, } alias extern(Windows) DWORD function(HWND, LPCSTR, DWORD, LPDWORD) PFN_DIAL_HANDLER; enum { INTERNET_CUSTOMDIAL_CONNECT = 0, INTERNET_CUSTOMDIAL_UNATTENDED = 1, INTERNET_CUSTOMDIAL_DISCONNECT = 2, INTERNET_CUSTOMDIAL_SHOWOFFLINE = 4, INTERNET_CUSTOMDIAL_SAFE_FOR_UNATTENDED = 1, INTERNET_CUSTOMDIAL_WILL_SUPPLY_STATE = 2, INTERNET_CUSTOMDIAL_CAN_HANGUP = 4, } export extern(Windows) BOOL InternetSetDialStateA(LPCSTR lpszConnectoid, DWORD dwState, DWORD dwReserved); export extern(Windows) BOOL InternetSetDialStateW(LPCWSTR lpszConnectoid, DWORD dwState, DWORD dwReserved); version(UNICODE) alias InternetSetDialStateW InternetSetDialState; else alias InternetSetDialStateA InternetSetDialState; enum INTERNET_DIALSTATE_DISCONNECTED = 1; const wchar* REGSTR_DIAL_AUTOCONNECT = "AutoConnect"; const wchar* REGSTR_LEASH_LEGACY_COOKIES = "LeashLegacyCookies"; export extern(Windows) BOOL IsHostInProxyBypassList(INTERNET_SCHEME tScheme, LPCSTR lpszHost, DWORD cchHost); //_WIN32_WINNT >= _WIN32_WINNT_WINXP const wchar* LOCAL_NAMESPACE_PREFIX = "Local\\"; const wchar* WININET_STARTUP_MUTEX = "Local\\WininetStartupMutex"; export extern(Windows) BOOL DoConnectoidsExist(); export extern(Windows) BOOL GetDiskInfoA(PCSTR pszPath, PDWORD pdwClusterSize, PDWORDLONG pdlAvail, PDWORDLONG pdlTotal); alias extern(Windows) BOOL function(INTERNET_CACHE_ENTRY_INFO* pcei, PDWORD pcbcei, PVOID pOpData) CACHE_OPERATOR; export extern(Windows) BOOL PerformOperationOverUrlCacheA(PCSTR pszUrlSearchPattern, DWORD dwFlags, DWORD dwFilter, GROUPID GroupId, PVOID pReserved1, PDWORD pdwReserved2, PVOID pReserved3, CACHE_OPERATOR op, PVOID pOperatorData); export extern(Windows) BOOL IsProfilesEnabled(); export extern(Windows) DWORD _GetFileExtensionFromUrl(LPSTR lpszUrl, DWORD dwFlags, LPSTR lpszExt, DWORD* pcchExt); export extern(Windows) DWORD InternalInternetGetCookie(LPCSTR lpszUrl, LPSTR lpszCookieData, DWORD* lpdwDataSize); export extern(Windows) BOOL ImportCookieFileA(LPCSTR szFilename); export extern(Windows) BOOL ImportCookieFileW(LPCWSTR szFilename); version(UNICODE) alias ImportCookieFileW ImportCookieFile; else alias ImportCookieFileA ImportCookieFile; export extern(Windows) BOOL ExportCookieFileA(LPCSTR szFilename, BOOL fAppend); export extern(Windows) BOOL ExportCookieFileW(LPCWSTR szFilename, BOOL fAppend); version(UNICODE) alias ExportCookieFileW ExportCookieFile; else alias ExportCookieFileA ExportCookieFile; export extern(Windows) BOOL IsDomainLegalCookieDomainA(LPCSTR pchDomain, LPCSTR pchFullDomain); export extern(Windows) BOOL IsDomainLegalCookieDomainW(LPCWSTR pchDomain, LPCWSTR pchFullDomain); version(UNICODE) alias IsDomainLegalCookieDomainW IsDomainLegalCookieDomain; else alias IsDomainLegalCookieDomainA IsDomainLegalCookieDomain; export extern(Windows) BOOL InternetEnumPerSiteCookieDecisionA(LPSTR pszSiteName, uint* pcSiteNameSize, uint* pdwDecision, uint dwIndex); export extern(Windows) BOOL InternetEnumPerSiteCookieDecisionW(LPWSTR pszSiteName, uint* pcSiteNameSize, uint* pdwDecision, uint dwIndex); version(UNICODE) alias InternetEnumPerSiteCookieDecisionW InternetEnumPerSiteCookieDecision; else alias InternetEnumPerSiteCookieDecisionA InternetEnumPerSiteCookieDecision; enum { INTERNET_SUPPRESS_COOKIE_PERSIST = 0x03, INTERNET_SUPPRESS_COOKIE_PERSIST_RESET = 0x04, } enum { PRIVACY_TEMPLATE_NO_COOKIES = 0, PRIVACY_TEMPLATE_HIGH = 1, PRIVACY_TEMPLATE_MEDIUM_HIGH = 2, PRIVACY_TEMPLATE_MEDIUM = 3, PRIVACY_TEMPLATE_MEDIUM_LOW = 4, PRIVACY_TEMPLATE_LOW = 5, PRIVACY_TEMPLATE_CUSTOM = 100, PRIVACY_TEMPLATE_ADVANCED = 101, PRIVACY_TEMPLATE_MAX = PRIVACY_TEMPLATE_LOW, PRIVACY_TYPE_FIRST_PARTY = 0, PRIVACY_TYPE_THIRD_PARTY = 1, } export extern(Windows) DWORD PrivacySetZonePreferenceW(DWORD dwZone, DWORD dwType, DWORD dwTemplate, LPCWSTR pszPreference); export extern(Windows) DWORD PrivacyGetZonePreferenceW(DWORD dwZone, DWORD dwType, LPDWORD pdwTemplate, LPWSTR pszBuffer, LPDWORD pdwBufferLength); alias char P3PCHAR; alias char* P3PURL; alias char* P3PVERB; alias const(char)* P3PCURL; alias BSTR P3PCXSL; enum P3PHANDLE : void* {init = (void*).init} enum URL_LIMIT = INTERNET_MAX_URL_LENGTH; struct P3PResource { P3PCURL pszLocation; P3PVERB pszVerb; P3PCURL pszP3PHeaderRef; P3PCURL pszLinkTagRef; P3PResource* pContainer; } struct P3PSignal { HWND hwnd; uint message; HANDLE hEvent; void* pContext; P3PHANDLE hRequest; } enum { P3P_Done = 0x0, P3P_Success = 0x0, P3P_NoPolicy = 0x2, P3P_InProgress = 0x3, P3P_Failed = 0x4, P3P_NotFound = 0x5, P3P_FormatErr = 0x6, P3P_Cancelled = 0x7, P3P_NotStarted = 0x8, P3P_XMLError = 0x9, P3P_Expired = 0xA, P3P_Error = 0xFF, } alias int P3PStatus; export extern(Windows) int MapResourceToPolicy(P3PResource* pResource, P3PURL pszPolicy, uint dwSize, P3PSignal* pSignal); export extern(Windows) int GetP3PPolicy(P3PCURL pszPolicyURL, HANDLE hDestination, P3PCXSL pszXSLtransform, P3PSignal* pSignal); export extern(Windows) int FreeP3PObject(P3PHANDLE hObject); export extern(Windows) int GetP3PRequestStatus(P3PHANDLE hObject); }// extern(C)
D
/** Copyright: Copyright (c) 2017-2018 Andrey Penechko. License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: Andrey Penechko. */ /// Convertion of function IR to textual representation module ir.dump; import std.stdio; import all; struct InstrPrintInfo { CompilationContext* context; TextSink* sink; IrFunction* ir; IrIndex blockIndex; IrBasicBlock* block; IrIndex instrIndex; IrInstrHeader* instrHeader; FuncDumpSettings* settings; void dumpInstr() { settings.handlers.instrDumper(this); } void dumpIndex(IrIndex i) { settings.handlers.indexDumper(this, i); } } struct IrDumpHandlers { InstructionDumper instrDumper; IrIndexDumper indexDumper; } alias InstructionDumper = void function(ref InstrPrintInfo p); alias IrIndexDumper = void function(ref InstrPrintInfo, IrIndex); struct FuncDumpSettings { bool printVars = false; bool printBlockFlags = false; bool printBlockIns = true; bool printBlockOuts = false; bool printBlockRefs = false; bool printInstrIndexEnabled = true; bool printUses = true; bool printLive = true; IrDumpHandlers* handlers; void dumpInstr(ref InstrPrintInfo p) { handlers.instrDumper(p); } void dumpIndex(ref InstrPrintInfo p, IrIndex i) { handlers.indexDumper(p, i); } } IrDumpHandlers irDumpHandlers = IrDumpHandlers(&dumpIrInstr, &dumpIrIndex); void dumpFunction_ir(ref IrFunction ir, ref CompilationContext ctx) { FuncDumpSettings settings; settings.handlers = &irDumpHandlers; dumpFunction(ir, ctx, settings); } void dumpFunction(ref IrFunction ir, ref CompilationContext ctx, ref FuncDumpSettings settings) { TextSink sink; dumpFunction(ir, sink, ctx, settings); writeln(sink.text); } void dumpFunction(ref IrFunction ir, ref TextSink sink, ref CompilationContext ctx, ref FuncDumpSettings settings) { sink.put("function "); sink.put(ctx.idString(ir.name)); sink.putfln("() %s bytes {", ir.storageLength * uint.sizeof); int indexPadding = numDigitsInNumber(ir.storageLength); void printInstrIndex(IrIndex someIndex) { if (!settings.printInstrIndexEnabled) return; sink.putf("%*s|", indexPadding, someIndex.storageUintIndex); } void printRegUses(IrIndex result) { if (result.isPhysReg) return; if (result.isStackSlot) return; auto vreg = &ir.getVirtReg(result); sink.put(" users ["); foreach (i, index; vreg.users.range(ir)) { if (i > 0) sink.put(", "); sink.putf("%s", index); } sink.put("]"); } InstrPrintInfo printer; printer.context = &ctx; printer.sink = &sink; printer.ir = &ir; printer.settings = &settings; foreach (IrIndex blockIndex, ref IrBasicBlock block; ir.blocks) { printer.blockIndex = blockIndex; printer.block = &block; printInstrIndex(blockIndex); sink.putf(" %s", blockIndex); if (settings.printBlockFlags) { if (block.isSealed) sink.put(" S"); else sink.put(" ."); if (block.isFinished) sink.put("F"); else sink.put("."); if (block.isLoopHeader) sink.put("L"); else sink.put("."); } if (settings.printBlockIns && block.predecessors.length > 0) { sink.putf(" in("); foreach(i, predIndex; block.predecessors.range(ir)) { if (i > 0) sink.put(", "); sink.putf("%s", predIndex); } sink.put(")"); } if (settings.printBlockOuts && block.successors.length > 0) { sink.putf(" out("); foreach(i, succIndex; block.successors.range(ir)) { if (i > 0) sink.put(", "); sink.putf("%s", succIndex); } sink.put(")"); } sink.putln; // phis foreach(IrIndex phiIndex, ref IrPhi phi; block.phis(ir)) { printInstrIndex(phiIndex); sink.putf(" %s = %s(", phi.result, phiIndex); foreach(size_t arg_i, ref IrPhiArg phiArg; phi.args(ir)) { if (arg_i > 0) sink.put(", "); sink.putf("%s %s", phiArg.value, phiArg.basicBlock); } sink.put(")"); if (settings.printUses) printRegUses(phi.result); sink.putln; } // instrs foreach(IrIndex instrIndex, ref IrInstrHeader instrHeader; block.instructions(ir)) { printInstrIndex(instrIndex); // print instr printer.instrIndex = instrIndex; printer.instrHeader = &instrHeader; printer.dumpInstr(); if (settings.printUses && instrHeader.hasResult) printRegUses(instrHeader.result); sink.putln; } } sink.putln("}"); } void dumpIrIndex(ref InstrPrintInfo p, IrIndex index) { p.sink.putf("%s", index); } void dumpIrInstr(ref InstrPrintInfo p) { switch(p.instrHeader.op) { case IrOpcode.call: dumpCall(p); break; case IrOpcode.block_exit_unary_branch: dumpUnBranch(p); break; case IrOpcode.block_exit_binary_branch: dumpBinBranch(p); break; case IrOpcode.block_exit_jump: dumpJmp(p); break; case IrOpcode.parameter: uint paramIndex = p.ir.get!IrInstr_parameter(p.instrIndex).index; p.sink.putf(" %s = parameter%s", p.instrHeader.result, paramIndex); break; case IrOpcode.block_exit_return_void: p.sink.put(" return"); break; case IrOpcode.block_exit_return_value: p.sink.putf(" return %s", p.instrHeader.args[0]); break; default: if (p.instrHeader.hasResult) p.sink.putf(" %s = %s", p.instrHeader.result, cast(IrOpcode)p.instrHeader.op); else p.sink.putf(" %s", cast(IrOpcode)p.instrHeader.op); dumpArgs(p); break; } } void dumpCall(ref InstrPrintInfo p) { FunctionIndex calleeIndex = p.instrHeader.preheader!IrInstrPreheader_call.calleeIndex; p.context.assertf(calleeIndex < p.context.mod.functions.length, "Invalid callee index %s", calleeIndex); FunctionDeclNode* callee = p.context.mod.functions[calleeIndex]; if (p.instrHeader.hasResult) p.sink.putf(" %s = call %s", p.instrHeader.result, callee.strId(p.context)); else p.sink.putf(" call %s", callee.strId(p.context)); dumpArgs(p); } void dumpArgs(ref InstrPrintInfo p) { foreach (i, IrIndex arg; p.instrHeader.args) { if (i > 0) p.sink.put(","); p.sink.put(" "); p.dumpIndex(arg); } } void dumpJmp(ref InstrPrintInfo p) { p.sink.put(" jmp "); if (p.block.successors.length > 0) p.sink.putf("%s", p.block.successors[0, *p.ir]); else p.sink.put("<null>"); } void dumpUnBranch(ref InstrPrintInfo p) { p.sink.putf(" if %s", unaryCondStrings[p.instrHeader.cond]); p.sink.put(" then "); p.dumpIndex(p.instrHeader.args[0]); dumpBranchTargets(p); } void dumpBinBranch(ref InstrPrintInfo p) { p.sink.putf(" if "); p.dumpIndex(p.instrHeader.args[0]); p.sink.putf(" %s ", binaryCondStrings[p.instrHeader.cond]); p.dumpIndex(p.instrHeader.args[1]); p.sink.put(" then "); dumpBranchTargets(p); } void dumpBranchTargets(ref InstrPrintInfo p) { switch (p.block.successors.length) { case 0: p.sink.put("<null> else <null>"); break; case 1: p.dumpIndex(p.block.successors[0, *p.ir]); p.sink.put(" else <null>"); break; default: p.dumpIndex(p.block.successors[0, *p.ir]); p.sink.put(" else "); p.dumpIndex(p.block.successors[1, *p.ir]); break; } }
D
/media/chris/Data/Github/MultimediaSignalProcessingClass/Ordered-Dithering/target/debug/build/num-derive-c634f67dffd3c1b5/build_script_build-c634f67dffd3c1b5: /home/chris/.cargo/registry/src/github.com-1ecc6299db9ec823/num-derive-0.2.5/build.rs /media/chris/Data/Github/MultimediaSignalProcessingClass/Ordered-Dithering/target/debug/build/num-derive-c634f67dffd3c1b5/build_script_build-c634f67dffd3c1b5.d: /home/chris/.cargo/registry/src/github.com-1ecc6299db9ec823/num-derive-0.2.5/build.rs /home/chris/.cargo/registry/src/github.com-1ecc6299db9ec823/num-derive-0.2.5/build.rs:
D
/Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/FacebookCore.build/Objects-normal/x86_64/GraphRequestResult.o : /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestProtocol.Bridge.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/UserProfile/UserProfile.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventParameterName.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventName.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Internal/Extensions/Optional+OnSome.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphResponse.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestConnection.Delegate.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/SDKApplicationDelegate.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphResponseProtocol.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestProtocol.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/AccessToken.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEvent.Builtin.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphAPIVersion.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Permissions/Permission.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Permissions/ReadPermission.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Permissions/PublishPermission.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestConnection.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Internal/Extensions/Dictionary+KeyValueMap.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventsLogger.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/SDKLoggingBehavior.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventsLogger.FlushBehavior.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/SDKSettings.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/UserProfile/UserProfile.FetchResult.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestResult.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestDataAttachment.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEvent.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequest.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/UserProfile/UserProfile.PictureView.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/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/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/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFURL.h /Users/william/Projects/studySocial/studySocial/Pods/Target\ Support\ Files/FacebookCore/FacebookCore-umbrella.h /Users/william/Projects/studySocial/studySocial/Pods/Target\ Support\ Files/Bolts/Bolts-umbrella.h /Users/william/Projects/studySocial/studySocial/Pods/Target\ Support\ Files/FBSDKCoreKit/FBSDKCoreKit-umbrella.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFCancellationTokenSource.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFTaskCompletionSource.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKProfile.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKApplicationDelegate.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkResolving.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKCopying.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKMutableCopying.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLink.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFTask.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFCancellationToken.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAccessToken.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkNavigation.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFCancellationTokenRegistration.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphRequestConnection.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKButton.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKTestUsersManager.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkReturnToRefererController.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAppLinkResolver.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFWebViewAppLinkResolver.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphErrorRecoveryProcessor.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFExecutor.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKSettings.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFTask+Exceptions.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKMacros.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/Bolts.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKConstants.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAppEvents.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkTarget.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphRequestDataAttachment.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFMeasurementEvent.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphRequest.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKProfilePictureView.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkReturnToRefererView.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKUtility.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAppLinkUtility.h /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/FacebookCore.build/unextended-module.modulemap /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/Bolts.build/module.modulemap /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/FBSDKCoreKit.build/module.modulemap /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/FacebookCore.build/Objects-normal/x86_64/GraphRequestResult~partial.swiftmodule : /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestProtocol.Bridge.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/UserProfile/UserProfile.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventParameterName.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventName.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Internal/Extensions/Optional+OnSome.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphResponse.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestConnection.Delegate.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/SDKApplicationDelegate.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphResponseProtocol.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestProtocol.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/AccessToken.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEvent.Builtin.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphAPIVersion.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Permissions/Permission.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Permissions/ReadPermission.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Permissions/PublishPermission.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestConnection.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Internal/Extensions/Dictionary+KeyValueMap.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventsLogger.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/SDKLoggingBehavior.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventsLogger.FlushBehavior.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/SDKSettings.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/UserProfile/UserProfile.FetchResult.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestResult.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestDataAttachment.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEvent.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequest.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/UserProfile/UserProfile.PictureView.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/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/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/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFURL.h /Users/william/Projects/studySocial/studySocial/Pods/Target\ Support\ Files/FacebookCore/FacebookCore-umbrella.h /Users/william/Projects/studySocial/studySocial/Pods/Target\ Support\ Files/Bolts/Bolts-umbrella.h /Users/william/Projects/studySocial/studySocial/Pods/Target\ Support\ Files/FBSDKCoreKit/FBSDKCoreKit-umbrella.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFCancellationTokenSource.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFTaskCompletionSource.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKProfile.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKApplicationDelegate.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkResolving.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKCopying.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKMutableCopying.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLink.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFTask.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFCancellationToken.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAccessToken.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkNavigation.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFCancellationTokenRegistration.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphRequestConnection.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKButton.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKTestUsersManager.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkReturnToRefererController.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAppLinkResolver.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFWebViewAppLinkResolver.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphErrorRecoveryProcessor.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFExecutor.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKSettings.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFTask+Exceptions.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKMacros.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/Bolts.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKConstants.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAppEvents.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkTarget.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphRequestDataAttachment.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFMeasurementEvent.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphRequest.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKProfilePictureView.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkReturnToRefererView.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKUtility.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAppLinkUtility.h /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/FacebookCore.build/unextended-module.modulemap /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/Bolts.build/module.modulemap /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/FBSDKCoreKit.build/module.modulemap /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/FacebookCore.build/Objects-normal/x86_64/GraphRequestResult~partial.swiftdoc : /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestProtocol.Bridge.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/UserProfile/UserProfile.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventParameterName.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventName.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Internal/Extensions/Optional+OnSome.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphResponse.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestConnection.Delegate.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/SDKApplicationDelegate.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphResponseProtocol.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestProtocol.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/AccessToken.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEvent.Builtin.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphAPIVersion.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Permissions/Permission.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Permissions/ReadPermission.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Permissions/PublishPermission.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestConnection.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Internal/Extensions/Dictionary+KeyValueMap.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventsLogger.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/SDKLoggingBehavior.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEventsLogger.FlushBehavior.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/Common/SDKSettings.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/UserProfile/UserProfile.FetchResult.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestResult.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequestDataAttachment.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/AppEvents/AppEvent.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/GraphRequest/GraphRequest.swift /Users/william/Projects/studySocial/studySocial/Pods/FacebookCore/Sources/Core/UserProfile/UserProfile.PictureView.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/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/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/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFURL.h /Users/william/Projects/studySocial/studySocial/Pods/Target\ Support\ Files/FacebookCore/FacebookCore-umbrella.h /Users/william/Projects/studySocial/studySocial/Pods/Target\ Support\ Files/Bolts/Bolts-umbrella.h /Users/william/Projects/studySocial/studySocial/Pods/Target\ Support\ Files/FBSDKCoreKit/FBSDKCoreKit-umbrella.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFCancellationTokenSource.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFTaskCompletionSource.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKProfile.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKApplicationDelegate.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkResolving.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKCopying.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKMutableCopying.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLink.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFTask.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFCancellationToken.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAccessToken.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkNavigation.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFCancellationTokenRegistration.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphRequestConnection.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKButton.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKTestUsersManager.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkReturnToRefererController.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAppLinkResolver.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFWebViewAppLinkResolver.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphErrorRecoveryProcessor.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFExecutor.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKSettings.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/BFTask+Exceptions.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKMacros.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/Common/Bolts.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKConstants.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAppEvents.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkTarget.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphRequestDataAttachment.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFMeasurementEvent.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKGraphRequest.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKProfilePictureView.h /Users/william/Projects/studySocial/studySocial/Pods/Bolts/Bolts/iOS/BFAppLinkReturnToRefererView.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKUtility.h /Users/william/Projects/studySocial/studySocial/Pods/FBSDKCoreKit/FBSDKCoreKit/FBSDKCoreKit/FBSDKAppLinkUtility.h /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/FacebookCore.build/unextended-module.modulemap /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/Bolts.build/module.modulemap /Users/william/Projects/studySocial/studySocial/build/Pods.build/Debug-iphonesimulator/FBSDKCoreKit.build/module.modulemap
D
prototype Mst_Default_Warg(C_Npc) { name[0] = "Варг"; guild = GIL_WOLF; aivar[AIV_MM_REAL_ID] = ID_WARG; level = 30; attribute[ATR_STRENGTH] = 150; attribute[ATR_DEXTERITY] = 150; attribute[ATR_HITPOINTS_MAX] = 300; attribute[ATR_HITPOINTS] = 300; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 125; protection[PROT_EDGE] = 125; protection[PROT_POINT] = 75; protection[PROT_FIRE] = 125; protection[PROT_FLY] = 125; protection[PROT_MAGIC] = 0; damagetype = DAM_EDGE; fight_tactic = FAI_WOLF; senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL; senses_range = PERC_DIST_MONSTER_ACTIVE_MAX; aivar[AIV_MM_ThreatenBeforeAttack] = TRUE; aivar[AIV_MM_FollowTime] = FOLLOWTIME_LONG; aivar[AIV_MM_FollowInWater] = TRUE; aivar[AIV_MM_Packhunter] = TRUE; start_aistate = ZS_MM_AllScheduler; aivar[AIV_MM_RoamStart] = OnlyRoutine; }; func void B_SetVisuals_WARG() { Mdl_SetVisual(self,"Wolf.mds"); Mdl_SetVisualBody(self,"Warg_Body2",DEFAULT,DEFAULT,"",DEFAULT,DEFAULT,-1); }; func void B_SetVisuals_BLACKWOLF() { Mdl_SetVisual(self,"Wolf.mds"); Mdl_SetVisualBody(self,"Warg_Body",DEFAULT,DEFAULT,"",DEFAULT,DEFAULT,-1); }; instance Warg(Mst_Default_Warg) { B_SetVisuals_WARG(); Npc_SetToFistMode(self); CreateInvItems(self,ItFoMuttonRaw,1); }; instance BlackWolf(Mst_Default_Warg) { name[0] = "Черный волк"; level = 6; aivar[AIV_MM_REAL_ID] = ID_WOLF; attribute[ATR_STRENGTH] = 15; attribute[ATR_DEXTERITY] = 20; attribute[ATR_HITPOINTS_MAX] = 120; attribute[ATR_HITPOINTS] = 120; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 12; protection[PROT_EDGE] = 12; protection[PROT_POINT] = 12; protection[PROT_FIRE] = 12; protection[PROT_FLY] = 12; protection[PROT_MAGIC] = 12; B_SetVisuals_BLACKWOLF(); Npc_SetToFistMode(self); CreateInvItems(self,ItFoMuttonRaw,1); };
D
module macroblock; import std.exception; import std.stdio; import bitstream; import vlc; import decoder; enum PredictionType { Field, Frame, DualPrime, Mc16x8, } enum MvFormat { Field, Frame, } struct Block { short[64] coeffs; } struct MacroBlock { Slice s; MbParams p; ubyte incr; uint type; ubyte spartial_temporal_weight_code; ubyte motion_type; ubyte dct_type; ubyte quantiser_scale_code; bool[2][2] motion_vertical_field_select; byte[2][2][2] motion_code; ubyte[2][2][2] motion_residual; ubyte[2] dmvector; uint coded_block_pattern; Block[12] blocks; this(Slice s) { this.s = s; } void parse(BitstreamReader bs) { int temp_incr = bs.read_mb_inc(); while(temp_incr == 34) { this.incr += 33; temp_incr = bs.read_mb_inc(); } this.incr += temp_incr; parse_modes(bs); if(p.quant) { this.quantiser_scale_code = cast(ubyte) bs.read_u(5); } if(p.motion_forward || (p.intra && s.ph.concealment_motion_vectors)) { parse_motion_vectors(bs, 0); } if(p.motion_backward) { parse_motion_vectors(bs, 1); } if(p.intra && s.ph.concealment_motion_vectors) { enforce(bs.read_u1 == 1, "marker bit"); } if(p.pattern) { parse_coded_block_pattern(bs); } for(ubyte i=0; i< block_count(); ++i) { parse_block(bs, i); } } ubyte block_count() const { immutable ubyte[] table = [ 0, // should not happen 6, 8, 12, ]; return table[s.ph.si.chroma_format]; } void parse_motion_vectors(BitstreamReader bs, ubyte s) { if(predinfo.motion_vector_count == 1) { if(predinfo.mv_format == MvFormat.Field && predinfo.dmv != 1) { motion_vertical_field_select[0][s] = bs.read_bool; } parse_mv(bs, 0, s); } else { motion_vertical_field_select[0][s] = bs.read_bool; parse_mv(bs, 0, s); motion_vertical_field_select[1][s] = bs.read_bool; parse_mv(bs, 1, s); } } void parse_mv(BitstreamReader bs, ubyte r, ubyte s) { motion_code[r][s][0] = bs.read_mc; if(this.s.ph.f_code[s][0] != 1 && motion_code[r][s][0] != 0) { motion_residual[r][s][0] = bs.read_b(this.s.ph.f_code[s][0] - 1); } if(predinfo.dmv == 1) { dmvector[0] = bs.read_dmvector(); } motion_code[r][s][1] = bs.read_mc; if(this.s.ph.f_code[s][1] != 1 && motion_code[r][s][1] != 0) { motion_residual[r][s][1] = bs.read_b(this.s.ph.f_code[s][1] - 1); } if(predinfo.dmv == 1) { dmvector[1] = bs.read_dmvector(); } } void parse_coded_block_pattern(BitstreamReader bs) { coded_block_pattern = bs.read_cbp(); if(s.ph.si.chroma_format == ChromaFormat.C422) { coded_block_pattern <<= 2; coded_block_pattern |= bs.read_u(2); } if(s.ph.si.chroma_format == ChromaFormat.C444) { coded_block_pattern <<= 6; coded_block_pattern |= bs.read_u(6); } } bool pattern_code(ubyte i) { if(p.pattern) { return cast(bool)(coded_block_pattern & (1 << (block_count() - 1 - i))); } else { return p.intra; } } void parse_block(BitstreamReader bs, ubyte i) { if(!pattern_code(i)) return; if(p.intra) { // TODO: optimize uint dc_size = bs.read_dc_size(i<4); short dct_diff = bs.read_u!short(dc_size); if ((dct_diff & (1<<(dc_size-1)))==0) { dct_diff-= (1<<dc_size) - 1; } //if(ddd >> (dc_size - 1)) //{ // ddd = cast(short) (ddd + 1 - (1 << dc_size)); //} blocks[i].coeffs[0] = dct_diff; } short run, level; int idx = p.intra; bool eob = !bs.read_dct(idx == 0, run, level, s.ph.intra_vlc_format); while(!eob) { //writefln("block(%d): rl: (%d, %d) idx: %d", i, run, level, idx); idx += run; blocks[i].coeffs[idx] = level; ++idx; eob = !bs.read_dct(false, run, level, s.ph.intra_vlc_format); } } PredictionInfo predinfo() const { if(s.ph.picture_structure == PictureStructure.Frame) { if(s.ph.frame_pred_frame_dct == 0) return frame_prediction_info[motion_type][0]; else return frame_prediction_info[2][0]; // Frame-based } else { return field_prediction_info[motion_type][0]; } } void parse_modes(BitstreamReader bs) { this.type = bs.read_mb_type(s.ph.picture_coding_type); this.p = mb_params[s.ph.picture_coding_type][this.type]; if(this.p.spartial_temporal_weight_code_flag /* TODO: && spatial_temporal_weight_code_table_index != 00 */ ) { throw new Exception("spartial prediction is not implemented"); //this.spartial_temporal_weight_code = bs.read_u(8); } if(this.p.motion_forward || this.p.motion_backward) { if(s.ph.picture_structure == PictureStructure.Frame) { if(s.ph.frame_pred_frame_dct == 0) { this.motion_type = bs.read_b(2); } } else { this.motion_type = bs.read_b(2); } } if(s.ph.picture_structure == PictureStructure.Frame && s.ph.frame_pred_frame_dct == 0 && (this.p.intra || this.p.pattern) ) { this.dct_type = bs.read_u1; } } void dump_block(int idx) { writefln(" block(%d):", idx); for(size_t i=0; i<8; ++i) { writef(" "); for(size_t j=0; j<8; ++j) { writef("%3d ", blocks[idx].coeffs[i*8+j]); } writefln(""); } } void dump(bool with_blocks = false) { auto mb = this; writefln("macroblock:"); writefln(" params : %s", mb.p); writefln(" type : %d", mb.type); writefln(" incr : %d", mb.incr); if(p.quant) { writefln(" type : %d", mb.quantiser_scale_code); } if(p.motion_forward || (p.intra && s.ph.concealment_motion_vectors)) { } if(p.motion_backward) { } if(p.pattern) { writefln(" cbp : %d", mb.coded_block_pattern); } if(with_blocks) { for(ubyte i=0; i< block_count(); ++i) { dump_block(i); } } } void dump2(int mba, bool with_blocks) const { writefln("mb.incr: %d MBA: %d cbp: %d", incr, mba, coded_block_pattern); if(!with_blocks) return; for(ubyte bidx=0; bidx< block_count(); ++bidx) { writefln("MBA #%d block #%d: ", mba, bidx); for(size_t i=0; i<8; ++i) { writef(" "); for(size_t j=0; j<8; ++j) { writef("%3d ", blocks[bidx].coeffs[i*8+j]); } writeln(); } writeln(); } } } struct MbParams { bool quant; bool motion_forward; bool motion_backward; bool pattern; bool intra; bool spartial_temporal_weight_code_flag; uint permitted_spatial_temporal_weight_classes; string toString() { string s = ""; if(quant) s ~= "quant,"; if(motion_forward) s ~= "motion_forward,"; if(motion_backward) s ~= "motion_backward,"; if(pattern) s ~= "pattern,"; if(intra) s ~= "intra,"; if(spartial_temporal_weight_code_flag) s ~= "spartial_temporal_weight_code_flag,"; if(s.length > 0) s = s[0..$-1]; return s; } } struct PredictionInfo { PredictionType type; ubyte motion_vector_count; MvFormat mv_format; bool dmv; } // Table 6-17 static immutable PredictionInfo[4][4] frame_prediction_info = [ [ {PredictionType.Frame, 1, MvFormat.Field, 0}, ], [ {PredictionType.Field, 2, MvFormat.Field, 0}, {PredictionType.Field, 2, MvFormat.Field, 0}, {PredictionType.Field, 1, MvFormat.Field, 0}, {PredictionType.Field, 1, MvFormat.Field, 0}, ], [ {PredictionType.Frame, 1, MvFormat.Frame, 0}, {PredictionType.Frame, 1, MvFormat.Frame, 0}, {PredictionType.Frame, 1, MvFormat.Frame, 0}, {PredictionType.Frame, 1, MvFormat.Frame, 0}, ], [ {PredictionType.DualPrime, 1, MvFormat.Field, 1}, {}, {PredictionType.DualPrime, 1, MvFormat.Field, 1}, {PredictionType.DualPrime, 1, MvFormat.Field, 1}, ], ]; // Table 6-18 static immutable PredictionInfo[2][4] field_prediction_info = [ [ {PredictionType.Field, 1, MvFormat.Field, 0}, ], [ {PredictionType.Field, 1, MvFormat.Field, 0}, {PredictionType.Field, 1, MvFormat.Field, 0}, ], [ {PredictionType.Mc16x8, 2, MvFormat.Field, 0}, {PredictionType.Mc16x8, 2, MvFormat.Field, 0}, ], [ {PredictionType.DualPrime, 1, MvFormat.Field, 1}, ], ]; // Table B.2 immutable MbParams[] mb_params_I = [ {0,0,0,0,1,0,0}, {1,0,0,0,1,0,0}, ]; // Table B.3 immutable MbParams[] mb_params_P = [ {0,1,0,1,0,0,0}, {0,0,0,1,0,0,0}, {0,1,0,0,0,0,0}, {0,0,0,0,1,0,0}, {1,1,0,1,0,0,0}, {1,0,0,1,0,0,0}, {1,0,0,0,1,0,0}, ]; // Table B.4 immutable MbParams[] mb_params_B = [ {0,1,1,0,0,0,0}, {0,1,1,1,0,0,0}, {0,0,1,0,0,0,0}, {0,0,1,1,0,0,0}, {0,1,0,0,0,0,0}, {0,1,0,1,0,0,0}, {0,0,0,0,1,0,0}, {1,1,1,1,0,0,0}, {1,1,0,1,0,0,0}, {1,0,1,1,0,0,0}, {1,0,0,0,1,0,0}, ]; // TODO: // Table B.5-8 immutable MbParams[][] mb_params = [ [], mb_params_I, mb_params_P, mb_params_B, ];
D
instance Info_Kirgo_Exit(C_Info) { npc = GRD_251_Kirgo; nr = 999; condition = Info_Kirgo_Exit_Condition; information = Info_Kirgo_Exit_Info; permanent = 1; description = DIALOG_ENDE; }; func int Info_Kirgo_Exit_Condition() { return 1; }; func void Info_Kirgo_Exit_Info() { AI_StopProcessInfos(self); }; instance Info_Kirgo_What(C_Info) { npc = GRD_251_Kirgo; nr = 1; condition = Info_Kirgo_What_Condition; information = Info_Kirgo_What_Info; permanent = 0; description = "Zdar! Jsem tady nový."; }; func int Info_Kirgo_What_Condition() { if(Kapitel <= 2) { return 1; }; }; func void Info_Kirgo_What_Info() { AI_Output(other,self,"Info_Kirgo_What_15_00"); //Zdar! Jsem tady nový. AI_Output(self,other,"Info_Kirgo_What_05_01"); //Neříkej! Řekni mi něco o vnějším světě! Už jsem o tom, co se děje venku, neslyšel přes měsíc. AI_Output(self,other,"Info_Kirgo_What_05_02"); //Jsem Kirgo. Bojuju v aréně. }; instance Info_Kirgo_Good(C_Info) { npc = GRD_251_Kirgo; nr = 1; condition = Info_Kirgo_Good_Condition; information = Info_Kirgo_Good_Info; permanent = 0; description = "A jsi dobrý? Myslím v boji, chápeš?"; }; func int Info_Kirgo_Good_Condition() { if(Npc_KnowsInfo(hero,Info_Kirgo_What)) { return 1; }; }; func void Info_Kirgo_Good_Info() { AI_Output(other,self,"Info_Kirgo_Good_15_00"); //A jsi dobrý? AI_Output(self,other,"Info_Kirgo_Good_05_01"); //V boji? Už jsem dlouho nebojoval, ale zatím jsem v souboji vždycky zvítězil! }; instance Info_Kirgo_Charge(C_Info) { npc = GRD_251_Kirgo; nr = 1; condition = Info_Kirgo_Charge_Condition; information = Info_Kirgo_Charge_Info; permanent = 0; description = "Chtěl bych tě vyzvat na souboj v aréně!"; }; func int Info_Kirgo_Charge_Condition() { if(Npc_KnowsInfo(hero,DIA_Scatty_JoinOC) && Npc_KnowsInfo(hero,Info_Kirgo_What) && (Kapitel <= 1)) { return 1; }; }; func void Info_Kirgo_Charge_Info() { AI_Output(other,self,"Info_Kirgo_Charge_15_00"); //Chtěl bych tě vyzvat na souboj v aréně! AI_Output(self,other,"Info_Kirgo_Charge_05_01"); //Cože? Ale já bojovat nechci. Proč si raději nedáme pivo a nepopovídáme o vnějším světě? Info_ClearChoices(Info_Kirgo_Charge); Info_AddChoice(Info_Kirgo_Charge,"Ne! Chci bojovat. Teď!",Info_Kirgo_Charge_NOW); Info_AddChoice(Info_Kirgo_Charge,"Dobře, pak mám u tebe pivo!",Info_Kirgo_Charge_Beer); }; func void Info_Kirgo_Charge_NOW() { AI_Output(other,self,"Info_Kirgo_Charge_NOW_15_00"); //Ne! Chci bojovat. Teď! AI_Output(self,other,"Info_Kirgo_Charge_NOW_05_01"); //V tom případě... Jestli jsi připraven, já taky. Info_ClearChoices(Info_Kirgo_Charge); }; func void Info_Kirgo_Charge_Beer() { AI_Output(other,self,"Info_Kirgo_Charge_Beer_15_00"); //Dobře, pak mám u tebe pivo! AI_Output(self,other,"Info_Kirgo_Charge_Beer_05_01"); //Tady je! AI_UseItem(hero,ItFoBeer); AI_Output(other,self,"Info_Kirgo_Charge_Beer_15_02"); //Díky! Obávám se, že ti toho o vnějším světě nebudu moci tolik říci - drželi mě skoro dva měsíce zamknutého v tmavé díře, než mě uvrhli sem. AI_Output(self,other,"Info_Kirgo_Charge_Beer_05_03"); //To je ostuda... No, nezlob se... Hej, na někoho, kdo byl dva měsíce pod zámkem, ale vypadáš docela dobře. AI_Output(other,self,"Info_Kirgo_Charge_Beer_15_04"); //Jsem rád, že to takhle dopadlo. AI_Output(self,other,"Info_Kirgo_Charge_Beer_05_05"); //Proč potom trváš na tom, abysme se spolu utkali? AI_Output(other,self,"Info_Kirgo_Charge_Beer_15_06"); //Chci, aby se o mně v táboře vědělo! AI_Output(self,other,"Info_Kirgo_Charge_Beer_05_07"); //Myslíš Scattyho? Hm, to je jeden z nejvýznamnějších mužů z Vnějšího okruhu... Když mě porazíš, určitě si toho všimne... AI_Output(self,other,"Info_Kirgo_Charge_Beer_05_08"); //Ale jestli ho doopravdy chceš zaujmout, pak potřebuješ porazit Kharima. Akorát mám obavu, že na tebe bude příliš silný! AI_Output(self,other,"Info_Kirgo_Charge_Beer_05_09"); //Jestli chceš ještě pořád bojovat se mnou, dej mi vědět. Nebudu mít ale radost z toho, až tě skolím. CreateInvItem(self,ItFoBeer); B_GiveInvItems(self,hero,ItFoBeer,1); self.npcType = npctype_friend; Info_ClearChoices(Info_Kirgo_Charge); }; var int Kirgo_Charged; instance Info_Kirgo_ChargeREAL(C_Info) { npc = GRD_251_Kirgo; nr = 1; condition = Info_Kirgo_ChargeREAL_Condition; information = Info_Kirgo_ChargeREAL_Info; permanent = 0; description = "Tak pojďme bojovat - jsi připraven?"; }; func int Info_Kirgo_ChargeREAL_Condition() { if(Npc_KnowsInfo(hero,Info_Kirgo_Charge) && (Kapitel >= 1)) { return 1; }; }; func void Info_Kirgo_ChargeREAL_Info() { AI_Output(other,self,"Info_Kirgo_ChargeREAL_15_00"); //Tak pojďme bojovat - jsi připraven? AI_Output(self,other,"Info_Kirgo_ChargeREAL_05_01"); //Pojď za mnou! AI_StopProcessInfos(self); Kirgo_Charged = TRUE; Npc_ExchangeRoutine(self,"GUIDE"); }; instance Info_Kirgo_InArena(C_Info) { npc = GRD_251_Kirgo; nr = 1; condition = Info_Kirgo_InArena_Condition; information = Info_Kirgo_InArena_Info; permanent = 0; important = 1; }; func int Info_Kirgo_InArena_Condition() { if((Kirgo_Charged == TRUE) && (Npc_GetDistToWP(hero,"OCR_ARENABATTLE_TRAIN") < 500)) { return 1; }; }; func void Info_Kirgo_InArena_Info() { if(Kapitel >= 1) { AI_StopProcessInfos(self); Npc_ExchangeRoutine(self,"START"); Npc_SetTarget(self,other); AI_StartState(self,ZS_Attack,1,""); } else { AI_Output(self,other,"SVM_5_LetsForgetOurLittleFight"); //Dobrá, zapomeňme na tuhle hádku, dobrý? AI_StopProcessInfos(self); Npc_ExchangeRoutine(self,"START"); }; }; instance INFO_KIRGO_ARENAFIGHT(C_Info) { npc = GRD_251_Kirgo; nr = 0; condition = info_kirgo_arenafight_condition; information = info_kirgo_arenafight_info; important = 1; permanent = 1; }; func int info_kirgo_arenafight_condition() { if((KIRGO_FIGHT == TRUE) && (Npc_GetDistToWP(hero,"OCR_ARENABATTLE_TRAIN") < 500) && ((GRD_251_Kirgo.aivar[AIV_HASDEFEATEDSC] == FALSE) || (GRD_251_Kirgo.aivar[AIV_WASDEFEATEDBYSC] == FALSE))) { return 1; }; }; func void info_kirgo_arenafight_info() { AI_Output(self,other,"Info_Kirgo_InArena_05_00"); //Dobře, pojďme do toho. Ať vyhraje ten nejlepší! AI_StopProcessInfos(self); Npc_ExchangeRoutine(self,"START"); Npc_SetTarget(self,other); AI_StartState(self,ZS_Attack,1,""); };
D
/Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/Objects-normal/x86_64/ControlEvent.o : /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Deprecated.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Observable+Bind.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/ObservableConvertibleType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SchedulerType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/InfiniteSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxTableViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxCollectionViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+RawRepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/SectionedViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxTableViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxCollectionViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxPickerViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxyType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Queue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/PriorityQueue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Bag.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/Logging.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/RecursiveLock.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ObservableConvertibleType+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ControlEvent+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/PublishRelay+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Darwin.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Binder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/KeyPathBinder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DeprecationWarner.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxPickerViewAdapter.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ObservableConvertibleType+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlEvent+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/BehaviorRelay+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlProperty+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+CoreGraphics.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DispatchQueue+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxCocoaObjCRuntimeError+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Events/ItemEvents.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/ControlTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+Swift.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlEvent.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/TextInput.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/NSTextStorage+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISwitch+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UILabel+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISegmentedControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPageControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIRefreshControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIBarButtonItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/URLSession+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIApplication+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIAlertAction+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSSlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIDatePicker+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIViewController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIStepper+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NotificationCenter+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIGestureRecognizer+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/NSLayoutConstraint+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIWebView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITableView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIScrollView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UICollectionView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPickerView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIActivityIndicatorView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIProgressView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Linux.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/PublishRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/BehaviorRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators+arity.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlProperty.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextStorageDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxNavigationControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxWebViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxScrollViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourcePrefetchingProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourcePrefetchingProxy.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/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/RxSwift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RX.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxCocoa/RxCocoa-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/RxCocoaRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXKVOObserver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Users/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-Swift.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXDelegateProxy.h /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/unextended-module.modulemap /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxSwift.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/Objects-normal/x86_64/ControlEvent~partial.swiftmodule : /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Deprecated.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Observable+Bind.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/ObservableConvertibleType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SchedulerType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/InfiniteSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxTableViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxCollectionViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+RawRepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/SectionedViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxTableViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxCollectionViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxPickerViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxyType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Queue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/PriorityQueue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Bag.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/Logging.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/RecursiveLock.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ObservableConvertibleType+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ControlEvent+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/PublishRelay+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Darwin.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Binder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/KeyPathBinder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DeprecationWarner.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxPickerViewAdapter.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ObservableConvertibleType+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlEvent+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/BehaviorRelay+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlProperty+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+CoreGraphics.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DispatchQueue+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxCocoaObjCRuntimeError+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Events/ItemEvents.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/ControlTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+Swift.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlEvent.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/TextInput.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/NSTextStorage+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISwitch+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UILabel+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISegmentedControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPageControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIRefreshControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIBarButtonItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/URLSession+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIApplication+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIAlertAction+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSSlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIDatePicker+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIViewController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIStepper+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NotificationCenter+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIGestureRecognizer+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/NSLayoutConstraint+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIWebView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITableView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIScrollView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UICollectionView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPickerView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIActivityIndicatorView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIProgressView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Linux.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/PublishRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/BehaviorRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators+arity.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlProperty.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextStorageDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxNavigationControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxWebViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxScrollViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourcePrefetchingProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourcePrefetchingProxy.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/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/RxSwift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RX.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxCocoa/RxCocoa-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/RxCocoaRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXKVOObserver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Users/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-Swift.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXDelegateProxy.h /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/unextended-module.modulemap /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxSwift.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/Objects-normal/x86_64/ControlEvent~partial.swiftdoc : /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Deprecated.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Observable+Bind.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/ObservableConvertibleType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SchedulerType+SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/InfiniteSequence.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxTableViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxCollectionViewReactiveArrayDataSource.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx+RawRepresentable.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/SectionedViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxTableViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxCollectionViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Protocols/RxPickerViewDataSourceType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxyType.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Queue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/PriorityQueue.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DataStructures/Bag.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/Logging.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/RecursiveLock.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ObservableConvertibleType+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/ControlEvent+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/PublishRelay+Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Darwin.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Signal/Signal+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver+Subscription.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/Binder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/KeyPathBinder.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DeprecationWarner.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/DataSources/RxPickerViewAdapter.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ObservableConvertibleType+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlEvent+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/BehaviorRelay+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/ControlProperty+Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/Driver/Driver.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+CoreGraphics.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/DispatchQueue+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxCocoaObjCRuntimeError+Extensions.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Events/ItemEvents.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/ControlTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/RxTarget.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/KVORepresentable+Swift.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlEvent.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/TextInput.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextField+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/NSTextStorage+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISwitch+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UILabel+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISegmentedControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPageControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIRefreshControl+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIBarButtonItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarItem+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/URLSession+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIApplication+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIAlertAction+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSButton+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchBar+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSSlider+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIDatePicker+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UISearchController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UINavigationController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITabBarController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIViewController+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIStepper+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NotificationCenter+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIGestureRecognizer+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Foundation/NSObject+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/NSLayoutConstraint+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIWebView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSImageView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITableView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIScrollView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UICollectionView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIPickerView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIActivityIndicatorView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UIProgressView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/UITextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/macOS/NSTextView+Rx.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/Platform/Platform.Linux.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/PublishRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/BehaviorRelay.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/SharedSequence/SharedSequence+Operators+arity.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Traits/ControlProperty.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDataSourceProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Common/DelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextStorageDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchBarDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxSearchControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxNavigationControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTabBarControllerDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxWebViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxScrollViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxPickerViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTextViewDelegateProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxTableViewDataSourcePrefetchingProxy.swift /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/iOS/Proxies/RxCollectionViewDataSourcePrefetchingProxy.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/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Modules/RxSwift.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RX.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxCocoa/RxCocoa-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/RxCocoa.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXObjCRuntime.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/RxCocoaRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXKVOObserver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Users/danielmorales/CSUMB/Potluck/build/Debug-iphonesimulator/RxSwift/RxSwift.framework/Headers/RxSwift-Swift.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/danielmorales/CSUMB/Potluck/Pods/RxCocoa/RxCocoa/Runtime/include/_RXDelegateProxy.h /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxCocoa.build/unextended-module.modulemap /Users/danielmorales/CSUMB/Potluck/build/Pods.build/Debug-iphonesimulator/RxSwift.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
module network.server; import std.socket; import core.thread; import threading.thread; import client.authclient; /** * The next socket id. */ private size_t nextSid = 0; /** * The auth clients. */ private AuthClient[size_t] clients; /** * The socket threads. */ private shared Thread[] socketThreads; /** * The server socket. */ private shared Socket serverSocket; /** * Runs the server. * Params: * ip = The ip of the server. * port = The port of the server. */ void run(string ip, ushort port) { auto server = new TcpSocket; server.blocking = false; server.bind(new InternetAddress(ip, port)); server.listen(100); serverSocket = cast(shared(Socket))server; auto t = createThread({ handle!true(); }); { auto sthreads = cast(Thread[])socketThreads; sthreads ~= t; socketThreads = cast(shared(Thread[]))sthreads; } t.start(); } /** * Handling the server. * Params: * isServer = (Template) A boolean determining whether the handler is for the server socket. */ private void handle(bool isServer)() { while (true) { scope auto selectSet = new SocketSet; static if (isServer) { auto server = cast(Socket)serverSocket; selectSet.add(server); } foreach (client; clients.values) { if (client.alive) selectSet.add(client.socket); else { try { client.disconnect("Not alive..."); } catch { } removeSocket(client); } } auto selectResult = Socket.select(selectSet, null, null); if (selectResult < 1) continue; static if (isServer) { if (selectSet.isSet(server)) { try { auto client = new AuthClient(server.accept(), nextSid++); addToThread(client); import network.handlers; handleConnect(client); } catch { } } } import std.stdio : writeln; foreach (client; clients.values) { try { if (selectSet.isSet(client.socket)) { client.handleAsyncReceive(); } } catch (Throwable t) { writeln(t); } } } } /** * Adds a client to a socket thread. */ private void addToThread(AuthClient client) { synchronized { import main : settings; if (clients.length >= settings.read!size_t("ClientsPerThread")) { scope auto sthreads = cast(Thread[])socketThreads; auto t = createThread({ addToThread(client); handle!false(); }); t.start(); sthreads ~= t; socketThreads = cast(shared(Thread[]))sthreads; } else { clients[client.sid] = client; } } } /** * Removes a socket from a socket thread. */ private void removeSocket(AuthClient client) { try { if (clients.get(client.sid, null) !is null) clients.remove(client.sid); } catch { } }
D
/** * The exception module defines all system-level exceptions and provides a * mechanism to alter system-level error handling. * * Copyright: Copyright Sean Kelly 2005 - 2013. * License: Distributed under the * $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0). * (See accompanying file LICENSE) * Authors: Sean Kelly and Jonathan M Davis * Source: $(DRUNTIMESRC core/_exception.d) */ module core.exception; /** * Thrown on a range error. */ class RangeError : Error { @safe pure nothrow this( string file = __FILE__, size_t line = __LINE__, Throwable next = null ) { super( "Range violation", file, line, next ); } } unittest { { auto re = new RangeError(); assert(re.file == __FILE__); assert(re.line == __LINE__ - 2); assert(re.next is null); assert(re.msg == "Range violation"); } { auto re = new RangeError("hello", 42, new Exception("It's an Exception!")); assert(re.file == "hello"); assert(re.line == 42); assert(re.next !is null); assert(re.msg == "Range violation"); } } /** * Thrown on an assert error. */ class AssertError : Error { @safe pure nothrow this( string file, size_t line ) { this(cast(Throwable)null, file, line); } @safe pure nothrow this( Throwable next, string file = __FILE__, size_t line = __LINE__ ) { this( "Assertion failure", file, line, next); } @safe pure nothrow this( string msg, string file = __FILE__, size_t line = __LINE__, Throwable next = null ) { super( msg, file, line, next ); } } unittest { { auto ae = new AssertError("hello", 42); assert(ae.file == "hello"); assert(ae.line == 42); assert(ae.next is null); assert(ae.msg == "Assertion failure"); } { auto ae = new AssertError(new Exception("It's an Exception!")); assert(ae.file == __FILE__); assert(ae.line == __LINE__ - 2); assert(ae.next !is null); assert(ae.msg == "Assertion failure"); } { auto ae = new AssertError(new Exception("It's an Exception!"), "hello", 42); assert(ae.file == "hello"); assert(ae.line == 42); assert(ae.next !is null); assert(ae.msg == "Assertion failure"); } { auto ae = new AssertError("msg"); assert(ae.file == __FILE__); assert(ae.line == __LINE__ - 2); assert(ae.next is null); assert(ae.msg == "msg"); } { auto ae = new AssertError("msg", "hello", 42); assert(ae.file == "hello"); assert(ae.line == 42); assert(ae.next is null); assert(ae.msg == "msg"); } { auto ae = new AssertError("msg", "hello", 42, new Exception("It's an Exception!")); assert(ae.file == "hello"); assert(ae.line == 42); assert(ae.next !is null); assert(ae.msg == "msg"); } } /** * Thrown on finalize error. */ class FinalizeError : Error { TypeInfo info; this( TypeInfo ci, Throwable next, string file = __FILE__, size_t line = __LINE__ ) @safe pure nothrow @nogc { this(ci, file, line, next); } this( TypeInfo ci, string file = __FILE__, size_t line = __LINE__, Throwable next = null ) @safe pure nothrow @nogc { super( "Finalization error", file, line, next ); super.info = SuppressTraceInfo.instance; info = ci; } override string toString() const @safe { return "An exception was thrown while finalizing an instance of " ~ info.toString(); } } unittest { ClassInfo info = new ClassInfo; info.name = "testInfo"; { auto fe = new FinalizeError(info); assert(fe.file == __FILE__); assert(fe.line == __LINE__ - 2); assert(fe.next is null); assert(fe.msg == "Finalization error"); assert(fe.info == info); } { auto fe = new FinalizeError(info, new Exception("It's an Exception!")); assert(fe.file == __FILE__); assert(fe.line == __LINE__ - 2); assert(fe.next !is null); assert(fe.msg == "Finalization error"); assert(fe.info == info); } { auto fe = new FinalizeError(info, "hello", 42); assert(fe.file == "hello"); assert(fe.line == 42); assert(fe.next is null); assert(fe.msg == "Finalization error"); assert(fe.info == info); } { auto fe = new FinalizeError(info, "hello", 42, new Exception("It's an Exception!")); assert(fe.file == "hello"); assert(fe.line == 42); assert(fe.next !is null); assert(fe.msg == "Finalization error"); assert(fe.info == info); } } /** * Thrown on hidden function error. * $(RED Deprecated. * This feature is not longer part of the language.) */ deprecated class HiddenFuncError : Error { @safe pure nothrow this( ClassInfo ci ) { super( "Hidden method called for " ~ ci.name ); } } deprecated unittest { ClassInfo info = new ClassInfo; info.name = "testInfo"; { auto hfe = new HiddenFuncError(info); assert(hfe.next is null); assert(hfe.msg == "Hidden method called for testInfo"); } } /** * Thrown on an out of memory error. */ class OutOfMemoryError : Error { this(string file = __FILE__, size_t line = __LINE__, Throwable next = null ) @safe pure nothrow @nogc { this(true, file, line, next); } this(bool trace, string file = __FILE__, size_t line = __LINE__, Throwable next = null ) @safe pure nothrow @nogc { super("Memory allocation failed", file, line, next); if (!trace) this.info = SuppressTraceInfo.instance; } override string toString() const @trusted { return msg.length ? (cast()super).toString() : "Memory allocation failed"; } } unittest { { auto oome = new OutOfMemoryError(); assert(oome.file == __FILE__); assert(oome.line == __LINE__ - 2); assert(oome.next is null); assert(oome.msg == "Memory allocation failed"); } { auto oome = new OutOfMemoryError("hello", 42, new Exception("It's an Exception!")); assert(oome.file == "hello"); assert(oome.line == 42); assert(oome.next !is null); assert(oome.msg == "Memory allocation failed"); } } /** * Thrown on an invalid memory operation. * * An invalid memory operation error occurs in circumstances when the garbage * collector has detected an operation it cannot reliably handle. The default * D GC is not re-entrant, so this can happen due to allocations done from * within finalizers called during a garbage collection cycle. */ class InvalidMemoryOperationError : Error { this(string file = __FILE__, size_t line = __LINE__, Throwable next = null ) @safe pure nothrow @nogc { super( "Invalid memory operation", file, line, next ); this.info = SuppressTraceInfo.instance; } override string toString() const @trusted { return msg.length ? (cast()super).toString() : "Invalid memory operation"; } } unittest { { auto oome = new InvalidMemoryOperationError(); assert(oome.file == __FILE__); assert(oome.line == __LINE__ - 2); assert(oome.next is null); assert(oome.msg == "Invalid memory operation"); } { auto oome = new InvalidMemoryOperationError("hello", 42, new Exception("It's an Exception!")); assert(oome.file == "hello"); assert(oome.line == 42); assert(oome.next !is null); assert(oome.msg == "Invalid memory operation"); } } /** * Thrown on a switch error. */ class SwitchError : Error { @safe pure nothrow this( string file = __FILE__, size_t line = __LINE__, Throwable next = null ) { super( "No appropriate switch clause found", file, line, next ); } } unittest { { auto se = new SwitchError(); assert(se.file == __FILE__); assert(se.line == __LINE__ - 2); assert(se.next is null); assert(se.msg == "No appropriate switch clause found"); } { auto se = new SwitchError("hello", 42, new Exception("It's an Exception!")); assert(se.file == "hello"); assert(se.line == 42); assert(se.next !is null); assert(se.msg == "No appropriate switch clause found"); } } /** * Thrown on a unicode conversion error. */ class UnicodeException : Exception { size_t idx; this( string msg, size_t idx, string file = __FILE__, size_t line = __LINE__, Throwable next = null ) @safe pure nothrow { super( msg, file, line, next ); this.idx = idx; } } unittest { { auto ue = new UnicodeException("msg", 2); assert(ue.file == __FILE__); assert(ue.line == __LINE__ - 2); assert(ue.next is null); assert(ue.msg == "msg"); assert(ue.idx == 2); } { auto ue = new UnicodeException("msg", 2, "hello", 42, new Exception("It's an Exception!")); assert(ue.file == "hello"); assert(ue.line == 42); assert(ue.next !is null); assert(ue.msg == "msg"); assert(ue.idx == 2); } } /////////////////////////////////////////////////////////////////////////////// // Overrides /////////////////////////////////////////////////////////////////////////////// // NOTE: One assert handler is used for all threads. Thread-local // behavior should occur within the handler itself. This delegate // is __gshared for now based on the assumption that it will only // set by the main thread during program initialization. private __gshared AssertHandler _assertHandler = null; /** Gets/sets assert hander. null means the default handler is used. */ alias AssertHandler = void function(string file, size_t line, string msg) nothrow; /// ditto @property AssertHandler assertHandler() @trusted nothrow @nogc { return _assertHandler; } /// ditto @property void assertHandler(AssertHandler handler) @trusted nothrow @nogc { _assertHandler = handler; } /** * Overrides the default assert hander with a user-supplied version. * $(RED Deprecated. * Please use $(LREF assertHandler) instead.) * * Params: * h = The new assert handler. Set to null to use the default handler. */ deprecated void setAssertHandler( AssertHandler h ) @trusted nothrow @nogc { assertHandler = h; } /////////////////////////////////////////////////////////////////////////////// // Overridable Callbacks /////////////////////////////////////////////////////////////////////////////// /** * A callback for assert errors in D. The user-supplied assert handler will * be called if one has been supplied, otherwise an $(LREF AssertError) will be * thrown. * * Params: * file = The name of the file that signaled this error. * line = The line number on which this error occurred. */ extern (C) void onAssertError( string file = __FILE__, size_t line = __LINE__ ) nothrow { if( _assertHandler is null ) throw new AssertError( file, line ); _assertHandler( file, line, null); } /** * A callback for assert errors in D. The user-supplied assert handler will * be called if one has been supplied, otherwise an $(LREF AssertError) will be * thrown. * * Params: * file = The name of the file that signaled this error. * line = The line number on which this error occurred. * msg = An error message supplied by the user. */ extern (C) void onAssertErrorMsg( string file, size_t line, string msg ) nothrow { if( _assertHandler is null ) throw new AssertError( msg, file, line ); _assertHandler( file, line, msg ); } /** * A callback for unittest errors in D. The user-supplied unittest handler * will be called if one has been supplied, otherwise the error will be * written to stderr. * * Params: * file = The name of the file that signaled this error. * line = The line number on which this error occurred. * msg = An error message supplied by the user. */ extern (C) void onUnittestErrorMsg( string file, size_t line, string msg ) nothrow { onAssertErrorMsg( file, line, msg ); } /////////////////////////////////////////////////////////////////////////////// // Internal Error Callbacks /////////////////////////////////////////////////////////////////////////////// /** * A callback for array bounds errors in D. A $(LREF RangeError) will be thrown. * * Params: * file = The name of the file that signaled this error. * line = The line number on which this error occurred. * * Throws: * $(LREF RangeError). */ extern (C) void onRangeError( string file = __FILE__, size_t line = __LINE__ ) @safe pure nothrow { throw new RangeError( file, line, null ); } /** * A callback for finalize errors in D. A $(LREF FinalizeError) will be thrown. * * Params: * info = The TypeInfo instance for the object that failed finalization. * e = The exception thrown during finalization. * file = The name of the file that signaled this error. * line = The line number on which this error occurred. * * Throws: * $(LREF FinalizeError). */ extern (C) void onFinalizeError( TypeInfo info, Throwable e, string file = __FILE__, size_t line = __LINE__ ) @trusted nothrow { // This error is thrown during a garbage collection, so no allocation must occur while // generating this object. So we use a preallocated instance throw staticError!FinalizeError(info, e, file, line); } /** * A callback for hidden function errors in D. A $(LREF HiddenFuncError) will be * thrown. * $(RED Deprecated. * This feature is not longer part of the language.) * * Throws: * $(LREF HiddenFuncError). */ deprecated extern (C) void onHiddenFuncError( Object o ) @safe pure nothrow { throw new HiddenFuncError( typeid(o) ); } /** * A callback for out of memory errors in D. An $(LREF OutOfMemoryError) will be * thrown. * * Throws: * $(LREF OutOfMemoryError). */ extern (C) void onOutOfMemoryError(void* pretend_sideffect = null) @trusted pure nothrow @nogc /* dmd @@@BUG11461@@@ */ { // NOTE: Since an out of memory condition exists, no allocation must occur // while generating this object. throw staticError!OutOfMemoryError(); } extern (C) void onOutOfMemoryErrorNoGC() @trusted nothrow @nogc { // suppress stacktrace until they are @nogc throw staticError!OutOfMemoryError(false); } /** * A callback for invalid memory operations in D. An * $(LREF InvalidMemoryOperationError) will be thrown. * * Throws: * $(LREF InvalidMemoryOperationError). */ extern (C) void onInvalidMemoryOperationError(void* pretend_sideffect = null) @trusted pure nothrow @nogc /* dmd @@@BUG11461@@@ */ { // The same restriction applies as for onOutOfMemoryError. The GC is in an // undefined state, thus no allocation must occur while generating this object. throw staticError!InvalidMemoryOperationError(); } /** * A callback for switch errors in D. A $(LREF SwitchError) will be thrown. * * Params: * file = The name of the file that signaled this error. * line = The line number on which this error occurred. * * Throws: * $(LREF SwitchError). */ extern (C) void onSwitchError( string file = __FILE__, size_t line = __LINE__ ) @safe pure nothrow { throw new SwitchError( file, line, null ); } /** * A callback for unicode errors in D. A $(LREF UnicodeException) will be thrown. * * Params: * msg = Information about the error. * idx = String index where this error was detected. * file = The name of the file that signaled this error. * line = The line number on which this error occurred. * * Throws: * $(LREF UnicodeException). */ extern (C) void onUnicodeError( string msg, size_t idx, string file = __FILE__, size_t line = __LINE__ ) @safe pure { throw new UnicodeException( msg, idx, file, line ); } /*********************************** * These functions must be defined for any D program linked * against this library. */ /+ extern (C) void onAssertError(string file, size_t line); extern (C) void onAssertErrorMsg(string file, size_t line, string msg); extern (C) void onUnittestErrorMsg(string file, size_t line, string msg); extern (C) void onRangeError(string file, size_t line); extern (C) void onHiddenFuncError(Object o); extern (C) void onSwitchError(string file, size_t line); +/ /*********************************** * Function calls to these are generated by the compiler and inserted into * the object code. */ extern (C) { // Use ModuleInfo to get file name for "m" versions /* One of these three is called upon an assert() fail. */ void _d_assertm(immutable(ModuleInfo)* m, uint line) { onAssertError(m.name, line); } void _d_assert_msg(string msg, string file, uint line) { onAssertErrorMsg(file, line, msg); } void _d_assert(string file, uint line) { onAssertError(file, line); } /* One of these three is called upon an assert() fail inside of a unittest block */ void _d_unittestm(immutable(ModuleInfo)* m, uint line) { _d_unittest(m.name, line); } void _d_unittest_msg(string msg, string file, uint line) { onUnittestErrorMsg(file, line, msg); } void _d_unittest(string file, uint line) { _d_unittest_msg("unittest failure", file, line); } /* Called when an array index is out of bounds */ void _d_array_bounds(immutable(ModuleInfo)* m, uint line) { onRangeError(m.name, line); } void _d_arraybounds(string file, uint line) { onRangeError(file, line); } /* Called when a switch statement has no DefaultStatement, yet none of the cases match */ void _d_switch_error(immutable(ModuleInfo)* m, uint line) { onSwitchError(m.name, line); } } // TLS storage shared for all errors, chaining might create circular reference private void[128] _store; // only Errors for now as those are rarely chained private T staticError(T, Args...)(auto ref Args args) if (is(T : Error)) { // pure hack, what we actually need is @noreturn and allow to call that in pure functions static T get() { static assert(__traits(classInstanceSize, T) <= _store.length, T.stringof ~ " is too large for staticError()"); _store[0 .. __traits(classInstanceSize, T)] = typeid(T).initializer[]; return cast(T) _store.ptr; } auto res = (cast(T function() @trusted pure nothrow @nogc) &get)(); res.__ctor(args); return res; } // Suppress traceinfo generation when the GC cannot be used. Workaround for // Bugzilla 14993. We should make stack traces @nogc instead. package class SuppressTraceInfo : Throwable.TraceInfo { override int opApply(scope int delegate(ref const(char[]))) const { return 0; } override int opApply(scope int delegate(ref size_t, ref const(char[]))) const { return 0; } override string toString() const { return null; } static SuppressTraceInfo instance() @trusted @nogc pure nothrow { static immutable SuppressTraceInfo it = new SuppressTraceInfo; return cast(SuppressTraceInfo)it; } }
D
module UnrealScript.TribesGame.TrRank_17; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.TribesGame.TrRank; extern(C++) interface TrRank_17 : TrRank { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.TrRank_17")); } private static __gshared TrRank_17 mDefaultProperties; @property final static TrRank_17 DefaultProperties() { mixin(MGDPC("TrRank_17", "TrRank_17 TribesGame.Default__TrRank_17")); } }
D
/** Copyright: Copyright (c) 2015-2017 Andrey Penechko. License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: Andrey Penechko. */ module voxelman.text.scale; immutable string[int] scales; shared static this(){ scales = [ -24 : "y", -21 : "z", -18 : "a", -15 : "f", -12 : "p", -9 : "n", -6 : "u", -3 : "m", 0 : "", 3 : "K", 6 : "M", 9 : "G", 12 : "T", 15 : "P", 18 : "E", 21 : "Z", 24 : "Y",]; } int numDigitsInNumber(Num)(const Num val) { import std.math: abs; ulong absVal = cast(ulong)abs(val); int numDigits = 1; while (absVal >= 10) { absVal /= 10; ++numDigits; } return numDigits; } unittest { assert(numDigitsInNumber(0) == 1); assert(numDigitsInNumber(-1) == 1); assert(numDigitsInNumber(1) == 1); assert(numDigitsInNumber(ubyte.max) == 3); assert(numDigitsInNumber(9) == 1); assert(numDigitsInNumber(10) == 2); assert(numDigitsInNumber(11) == 2); assert(numDigitsInNumber(100) == 3); assert(numDigitsInNumber(ushort.max) == 5); assert(numDigitsInNumber(uint.max) == 10); // 4294967295 assert(numDigitsInNumber(long.max) == 19); assert(numDigitsInNumber(ulong.max) == 20); } int calcScale(Num)(Num val) { import std.algorithm: clamp; import std.math: abs, floor, ceil, log10; import voxelman.math : sign; auto lg = log10(abs(val)); int logSign = sign(lg); double absLog = abs(lg); int scale; if (lg < 0) scale = cast(int)(ceil(absLog/3.0))*3; else scale = cast(int)(floor(absLog/3.0))*3; int clampedScale = clamp(scale * logSign, -24, 24); return clampedScale; } unittest { assert(calcScale(0.000_000_001) == -9); assert(calcScale(0.000_000_01) == -9); assert(calcScale(0.000_000_1) == -9); assert(calcScale(0.000_001) == -6); assert(calcScale(0.000_01) == -6); assert(calcScale(0.000_1) == -6); assert(calcScale(0.001) == -3); assert(calcScale(0.01) == -3); assert(calcScale(0.1) == -3); assert(calcScale(1.0) == 0); assert(calcScale(10.0) == 0); assert(calcScale(100.0) == 0); assert(calcScale(1_000.0) == 3); assert(calcScale(10_000.0) == 3); assert(calcScale(100_000.0) == 3); assert(calcScale(1_000_000.0) == 6); assert(calcScale(10_000_000.0) == 6); assert(calcScale(100_000_000.0) == 6); assert(calcScale(1_000_000_000.0) == 9); assert(calcScale(10_000_000_000.0) == 9); assert(calcScale(100_000_000_000.0) == 9); } struct ScaledNumberFmt(T) { T value; void toString()(scope void delegate(const(char)[]) sink) { import std.format : formattedWrite; int scale = calcScale(value); auto scaledValue = scaled(value, scale); int digits = numDigitsInNumber(scaledValue); sink.formattedWrite("%*.*f%s", digits, 3-digits, scaledValue, scales[scale]); } } /// Display number as /// d.dds (1.23m) /// dd.ds (12.3K) /// ddds (123G) /// Where d is digit, s is SI suffix auto scaledNumberFmt(T)(T value) { return ScaledNumberFmt!T(value); } import std.datetime : Duration; auto scaledNumberFmt(Duration value) { double seconds = value.total!"hnsecs" / 10_000_000.0; return ScaledNumberFmt!double(seconds); } /* unittest { import std.stdio; 0.000_000_001234.scaledNumberFmt.writeln; 0.000_000_01234.scaledNumberFmt.writeln; 0.000_000_1234.scaledNumberFmt.writeln; 0.000_001234.scaledNumberFmt.writeln; 0.000_01234.scaledNumberFmt.writeln; 0.000_1234.scaledNumberFmt.writeln; 0.001234.scaledNumberFmt.writeln; 0.01234.scaledNumberFmt.writeln; 0.1234.scaledNumberFmt.writeln; 1.234.scaledNumberFmt.writeln; 12.34.scaledNumberFmt.writeln; 123.4.scaledNumberFmt.writeln; 1_234.0.scaledNumberFmt.writeln; 12_340.0.scaledNumberFmt.writeln; 123_400.0.scaledNumberFmt.writeln; 1_234_000.0.scaledNumberFmt.writeln; 12_340_000.0.scaledNumberFmt.writeln; 123_400_000.0.scaledNumberFmt.writeln; 1_234_000_000.0.scaledNumberFmt.writeln; 12_340_000_000.0.scaledNumberFmt.writeln; 123_400_000_000.0.scaledNumberFmt.writeln; 0.000_000_001.scaledNumberFmt.writeln; 0.000_000_01.scaledNumberFmt.writeln; 0.000_000_1.scaledNumberFmt.writeln; 0.000_001.scaledNumberFmt.writeln; 0.000_01.scaledNumberFmt.writeln; 0.000_1.scaledNumberFmt.writeln; 0.001.scaledNumberFmt.writeln; 0.01.scaledNumberFmt.writeln; 0.1.scaledNumberFmt.writeln; 1.0.scaledNumberFmt.writeln; 10.0.scaledNumberFmt.writeln; 100.0.scaledNumberFmt.writeln; 1_000.0.scaledNumberFmt.writeln; 10_000.0.scaledNumberFmt.writeln; 100_000.0.scaledNumberFmt.writeln; 1_000_000.0.scaledNumberFmt.writeln; 10_000_000.0.scaledNumberFmt.writeln; 100_000_000.0.scaledNumberFmt.writeln; 1_000_000_000.0.scaledNumberFmt.writeln; 10_000_000_000.0.scaledNumberFmt.writeln; 100_000_000_000.0.scaledNumberFmt.writeln; } */ double scaled(Num)(Num num, int scale) { import std.math: pow; return num * pow(10.0, -scale); } int stepPrecision(float step) { import std.algorithm : clamp; import std.math: floor, log10; return clamp(-cast(int)floor(log10(step)), 0, 3); }
D
module demb.compilecontext; import std.algorithm; class MiniScope { protected: uint[string] var_pool; MiniScope parent; public: this(MiniScope parent=null) { this.parent = parent; } MiniScope getParent() { return this.parent; } uint local_count() { return cast(uint)(this.var_pool.length) + ((parent is null) ? 0 : parent.local_count()); } bool hasVar(string key) { return cast(bool)(key in var_pool) || ((parent is null) ? false : parent.hasVar(key)); } uint addVar(string key) { if (! this.hasVar(key)) { var_pool[key] = this.local_count(); } return var_pool[key]; } uint getVarId(string key) { if (key in var_pool) { return var_pool[key]; } return parent.getVarId(key); } } // TODO: add namespace class CompileContext { protected: string current_scope; uint[string] string_pool; string[uint] rev_string_pool; uint[string] global_pool; MiniScope locals; public: this() { this.current_scope = ""; this.locals = new MiniScope(); } void newContext(string scope_name) { this.current_scope = scope_name; locals = new MiniScope(null); } void newScope() { locals = new MiniScope(locals); } void scopeout() { locals = locals.getParent(); } // DELETEME ulong local_count() { return this.locals.local_count(); } // DELETEME string getString(uint key) { return rev_string_pool[key]; } string[] stringPool() { string[] r = []; foreach (k; rev_string_pool.keys.sort) { r ~= rev_string_pool[k]; } return r; } uint addString(string s) { if (s in string_pool) { return string_pool[s]; } string_pool[s] = cast(uint)string_pool.length; rev_string_pool[string_pool[s]] = s; return string_pool[s]; } bool hasVar(string key) { return locals.hasVar(key); } uint addVar(string key) { return locals.addVar(key); } uint getVarId(string key) { return locals.getVarId(key); } uint hasGlobal(string key) { return cast(bool)(key in global_pool); } uint addGlobal(string key) { if (! this.hasVar(key)) { global_pool[key] = cast(uint)global_pool.length; } return global_pool[key]; } uint getGlobalId(string key) { return global_pool[key]; } }
D
module compare; template Compare(First...) { template With(Second...) { static if (First.length != Second.length) enum With = false; else static if (First.length == 0) // End of comparison enum With = true; else static if (!is(First[0] == Second[0])) enum With = false; else enum With = Compare!(First[1..$]).With!(Second[1..$]); } } //Usage: unittest { alias Compare!(int, double, string).With!(int, double, char) C; static assert(C == false); }
D
module android.java.java.security.cert.CertificateParsingException_d_interface; import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers; static import arsd.jni; import import1 = android.java.java.io.PrintStream_d_interface; import import4 = android.java.java.lang.Class_d_interface; import import3 = android.java.java.lang.StackTraceElement_d_interface; import import2 = android.java.java.io.PrintWriter_d_interface; import import0 = android.java.java.lang.JavaThrowable_d_interface; final class CertificateParsingException : IJavaObject { static immutable string[] _d_canCastTo = [ ]; @Import this(arsd.jni.Default); @Import this(string); @Import this(string, import0.JavaThrowable); @Import this(import0.JavaThrowable); @Import string getMessage(); @Import string getLocalizedMessage(); @Import import0.JavaThrowable getCause(); @Import import0.JavaThrowable initCause(import0.JavaThrowable); @Import @JavaName("toString") string toString_(); override string toString() { return arsd.jni.javaObjectToString(this); } @Import void printStackTrace(); @Import void printStackTrace(import1.PrintStream); @Import void printStackTrace(import2.PrintWriter); @Import import0.JavaThrowable fillInStackTrace(); @Import import3.StackTraceElement[] getStackTrace(); @Import void setStackTrace(import3.StackTraceElement[]); @Import void addSuppressed(import0.JavaThrowable); @Import import0.JavaThrowable[] getSuppressed(); @Import import4.Class getClass(); @Import int hashCode(); @Import bool equals(IJavaObject); @Import void notify(); @Import void notifyAll(); @Import void wait(long); @Import void wait(long, int); @Import void wait(); mixin IJavaObjectImplementation!(false); public static immutable string _javaParameterString = "Ljava/security/cert/CertificateParsingException;"; }
D
import std.file; import Log; import std.process; import std.conv; import ProcessResult; class DCompiler { string sourceCode; this(string sourceCode) { this.sourceCode = sourceCode; } ProcessResult Compile() { string sourceFile = "/tmp/int/code.d"; std.file.write(sourceFile, sourceCode); return GetVerboseOutput(sourceFile); } ProcessResult GetVerboseOutput(string sourceFile) { ProcessResult result = new ProcessResult(); string currentDir = executeShell("pwd").output; string commandLine = "cd /tmp/int && /home/cbobby/.usrlocal/bin/ldc2 -vv -O0 " ~ sourceFile; auto process = executeShell(commandLine); //append("/tmp/int/lll.txt", currentDir ~ "ldc2 " ~ commandLine ~ " returned " ~ to!string(process.status) ~ "\n"); result.ExitStatus = process.status; if (process.status != 0) { result.StderrContent = process.output; LogInfo("Compilation failed. Exit status " ~ to!string(process.status) ~ ". Output:\n" ~ process.output); } else { result.StdoutContent = process.output; } const string llvmIRFile = "code.ll"; if (exists(llvmIRFile)) std.file.remove(llvmIRFile); executeShell("cd " ~ currentDir); return result; } }
D
/* [The "BSD licence"] Copyright (c) 2005-2008 Terence Parr 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 name of the author may not be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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 antlr.runtime.ANTLRStringStream; import antlr.runtime.CharStreamState; import antlr.runtime.CharStream; import tango.util.container.LinkedList; import tango.io.Stdout; /** A pretty quick CharStream that pulls all data from an array * directly. Every method call counts in the lexer. Java's * strings aren't very good so I'm avoiding. */ class ANTLRStringStream(char_t, bool CaseSensitive=true) : CharStream!(char_t) { // static int debug_line; /** The data being scanned */ protected immutable(char_t)[] data; /** How many characters are actually in the buffer */ protected int n; /** 0..n-1 index into string of next char */ protected int p=0; /** line number 1..n within the input */ protected int line = 1; /** The index of the character relative to the beginning of the line 0..n-1 */ protected int charPositionInLine = 0; /** tracks how deep mark() calls are nested */ protected int markDepth = 0; /** A list of CharStreamState objects that tracks the stream state * values line, charPositionInLine, and p that can change as you * move through the input stream. Indexed from 1..markDepth. * A null is kept @ index 0. Create upon first call to mark(). */ protected LinkedList!(CharStreamState) markers; /** Track the last mark() call result value for use in rewind(). */ protected int lastMarker; /** What is name or source of this char stream? */ public immutable(char)[] name; this() { } /** Copy data in string to a local char array */ /** This is the preferred constructor as no data is copied */ this(immutable(char_t)[] input, int numberOfActualCharsInArray=-1) { this.data = input; if (numberOfActualCharsInArray>=0) { this.n = numberOfActualCharsInArray; } else { this.n=cast(int)input.length; } } static ANTLRStringStream!(char_t) opCall(char_t)(immutable(char_t)[] input, int numberOfActualCharsInArray=-1) { return new ANTLRStringStream!(char_t)(input, numberOfActualCharsInArray); } /** Reset the stream so that it's in the same state it was * when the object was created *except* the data array is not * touched. */ public void reset() { p = 0; line = 1; charPositionInLine = 0; markDepth = 0; } public void consume() { //System.out.println("prev p="+p+", c="+(char)data[p]); if ( p < n ) { charPositionInLine++; if ( data[p]=='\n' ) { /* System.out.println("newline char found on line: "+line+ "@ pos="+charPositionInLine); */ line++; charPositionInLine=0; } p++; //System.out.println("p moves to "+p+" (c='"+(char)data[p]+"')"); } } final public int rawLA(int i) { if ( i==0 ) { return 0; // undefined } if ( i<0 ) { i++; // e.g., translate LA(-1) to use offset i=0; then data[p+0-1] if ( (p+i-1) < 0 ) { return CharStream!(char_t).EOF; // invalid; no char before first char } } if ( (p+i-1) >= n ) { //System.out.println("char LA("+i+")=EOF; p="+p); return CharStream!(char_t).EOF; } return cast(int)data[p+i-1]; } static if (CaseSensitive) { public int LA(int i) { return rawLA(i); } } else { bool ignorecase; public int LA(int i) { if (ignorecase) { int LAi=rawLA(i); if (LAi>='A' && LAi<='Z') { return LAi+('a'-'A'); } } return rawLA(i); } } public void IgnoreCase(bool flag) { assert(CaseSensitive, "IgnoreCase on supported for "~typeid(typeof(this)).toString~" you need to enable the CaseSensitive flag"); static if (!CaseSensitive) { ignorecase=flag; } } public int LT(int i) { return LA(i); } /** Return the current input symbol index 0..n where n indicates the * last symbol has been read. The index is the index of char to * be returned from LA(1). */ public int index() { return p; } public int size() { return n; } public int mark() { if ( markers is null ) { markers = new typeof(markers); markers.append(cast(CharStreamState)null); // depth 0 means no backtracking, leave blank } markDepth++; CharStreamState state; if ( markDepth>=markers.size() ) { state = new CharStreamState(); markers.append(state); } else { state = cast(CharStreamState)markers.get(markDepth); } state.p = p; state.line = line; state.charPositionInLine = charPositionInLine; lastMarker = markDepth; return markDepth; } public void rewind(int m) { CharStreamState state = cast(CharStreamState)markers.get(m); // restore stream state seek(state.p); line = state.line; charPositionInLine = state.charPositionInLine; release(m); } public void rewind() { rewind(lastMarker); } public void release(int marker) { // unwind any other markers made after m and release m markDepth = marker; // release this marker markDepth--; } /** consume() ahead until p==index; can't just set p=index as we must * update line and charPositionInLine. */ public void seek(int index) { if ( index<=p ) { p = index; // just jump; don't update stream state (line, ...) return; } // seek forward, consume until p hits index while ( p<index ) { consume(); } } override immutable(char_t)[] substring(int start, int stop) const{ // Stdout.format("substring {} {} {}",data,start,stop+1).newline; return data[start..stop+1]; } public int getLine() { return line; } public int CharPositionInLine() { return charPositionInLine; } public void setLine(int line) { this.line = line; } public void CharPositionInLine(int pos) { this.charPositionInLine = pos; } public immutable(char)[] getSourceName() { return name; } unittest { // Size test auto stream=new ANTLRStringStream("foo"); assert(stream.size == 3); } unittest { // Index test auto stream=new ANTLRStringStream("foo\nbar"); assert(stream.index == 0); // Consume test stream.consume(); // Consume f assert(stream.index == 1); assert(stream.charPositionInLine == 1); assert(stream.line == 1); stream.consume(); // Consume o assert(stream.index == 2); assert(stream.charPositionInLine == 2); assert(stream.line == 1); stream.consume(); // Consume o assert(stream.index == 3); assert(stream.charPositionInLine == 3); assert(stream.line == 1); stream.consume(); // Consume \n assert(stream.index == 4); assert(stream.charPositionInLine == 0); assert(stream.line == 2); stream.consume(); // Consume b assert(stream.index == 5); assert(stream.charPositionInLine == 1); assert(stream.line == 2); stream.consume(); // Consume a assert(stream.index == 6); assert(stream.charPositionInLine == 2); assert(stream.line == 2); stream.consume(); // Consume r assert(stream.index == 7); assert(stream.charPositionInLine == 3); assert(stream.line == 2); stream.consume(); // Consume EOF assert(stream.index == 7); assert(stream.charPositionInLine == 3); assert(stream.line == 2); stream.consume(); // Consume EOF assert(stream.index == 7); assert(stream.charPositionInLine == 3); assert(stream.line == 2); } unittest { // Reset test auto stream = new ANTLRStringStream("foo"); stream.consume(); stream.consume(); stream.reset(); assert(stream.index == 0); assert(stream.line == 1); assert(stream.charPositionInLine == 0); assert(stream.LT(1) == 'f'); } unittest { // test LA auto stream = new ANTLRStringStream("foo"); assert(stream.LT(1) == 'f'); assert(stream.LT(2) == 'o'); assert(stream.LT(3) == 'o'); stream.consume(); stream.consume(); assert(stream.LT(1) == 'o'); assert(stream.LT(2) == EOF); assert(stream.LT(3) == EOF); } unittest { // Test substring auto stream = new ANTLRStringStream("foobar"); assert(stream.substring(0,0) == "f"); assert(stream.substring(0,1) == "fo"); assert(stream.substring(0,5) == "foobar"); assert(stream.substring(3,5) == "bar"); } unittest { // Test SeekForward auto stream = new ANTLRStringStream("foo\nbar"); stream.seek(4); assert(stream.index == 4); assert(stream.line == 2); assert(stream.charPositionInLine == 0); assert(stream.LT(1) == 'b'); } unittest { // Test Mark auto stream = new ANTLRStringStream("foo\nbar"); stream.seek(4); auto marker = stream.mark(); assert(marker == 1); assert(stream.markDepth == 1); stream.consume(); marker = stream.mark(); assert(marker == 2); assert(stream.markDepth == 2); } unittest { // Test ReleaseLast auto stream = new ANTLRStringStream("foo\nbar"); stream.seek(4); auto marker1 = stream.mark(); stream.consume(); auto marker2 = stream.mark(); assert(stream.markDepth == 2); stream.release(marker2); assert(stream.markDepth == 1); // release same marker again, nothing has changed stream.release(marker2); assert(stream.markDepth == 1); } unittest { // Test Release Nested auto stream = new ANTLRStringStream("foo\nbar"); stream.seek(4); auto marker1 = stream.mark(); stream.consume(); auto marker2 = stream.mark(); stream.consume(); auto marker3 = stream.mark(); stream.release(marker2); assert(stream.markDepth == 1); } unittest { // Test Rewind Last auto stream = new ANTLRStringStream("foo\nbar"); stream.seek(4); auto marker = stream.mark(); stream.consume(); stream.consume(); stream.rewind(); assert(stream.markDepth == 0); assert(stream.index == 4); assert(stream.line == 2); assert(stream.charPositionInLine == 0); assert(stream.LT(1) == 'b'); } unittest { // Test Rewind Nested auto stream = new ANTLRStringStream("foo\nbar"); stream.seek(4); auto marker1 = stream.mark(); stream.consume(); auto marker2 = stream.mark(); stream.consume(); auto marker3 = stream.mark(); stream.rewind(marker2); assert(stream.markDepth == 1); assert(stream.index == 5); assert(stream.line == 2); assert(stream.charPositionInLine == 1); assert(stream.LT(1) == 'a'); } }
D
instance Bdt_1013_Bandit_L(Npc_Default) { name[0] = NAME_Bandit; guild = GIL_BDT; id = 1013; voice = 1; flags = 0; npcType = npctype_main; aivar[AIV_EnemyOverride] = TRUE; B_SetAttributesToChapter(self,1); fight_tactic = FAI_HUMAN_NORMAL; EquipItem(self,ItMw_2H_Sword_M_01); B_CreateAmbientInv(self); CreateInvItems(self,ItWr_Poster_MIS,1); B_SetNpcVisual(self,MALE,"Hum_Head_Fighter",Face_N_Homer,BodyTex_N,ItAr_BDT_M); Mdl_SetModelFatness(self,2); Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds"); B_GiveNpcTalents(self); B_SetFightSkills(self,40); daily_routine = RTN_Start_1013; }; func void RTN_Start_1013() { TA_Stand_ArmsCrossed(0,0,12,0,"NW_XARDAS_STAIRS_01"); TA_Stand_ArmsCrossed(12,0,0,0,"NW_XARDAS_STAIRS_01"); }; func void RTN_Ambush_1013() { TA_Guide_Player(0,0,12,0,"NW_XARDAS_BANDITS_RIGHT"); TA_Guide_Player(12,0,0,0,"NW_XARDAS_BANDITS_RIGHT"); }; func void rtn_away_1013() { TA_Sit_Campfire(0,0,12,0,"NW_XARDAS_GOBBO_02"); TA_Sit_Campfire(12,0,0,0,"NW_XARDAS_GOBBO_02"); }; func void rtn_away2_1013() { TA_FleeToWp(0,0,12,0,"NW_XARDAS_MONSTER_INSERT_01"); TA_FleeToWp(12,0,0,0,"NW_XARDAS_MONSTER_INSERT_01"); };
D
/Users/edward.wangcrypto.com/study/substrate_lesson_homework_template/node-template-benchmark/target/release/build/num-bigint-b27d8f2b843696dc/build_script_build-b27d8f2b843696dc: /Users/edward.wangcrypto.com/.cargo/registry/src/github.com-1ecc6299db9ec823/num-bigint-0.2.6/build.rs /Users/edward.wangcrypto.com/study/substrate_lesson_homework_template/node-template-benchmark/target/release/build/num-bigint-b27d8f2b843696dc/build_script_build-b27d8f2b843696dc.d: /Users/edward.wangcrypto.com/.cargo/registry/src/github.com-1ecc6299db9ec823/num-bigint-0.2.6/build.rs /Users/edward.wangcrypto.com/.cargo/registry/src/github.com-1ecc6299db9ec823/num-bigint-0.2.6/build.rs:
D
void main() { runSolver(); } void problem() { alias V2 = Vector2!long; auto N = scan!int; auto S = V2(scan!long, scan!long); auto T = V2(scan!long, scan!long); auto C = scan!long(3 * N).chunks(3).array; auto solve() { auto V = C.map!(c => V2(c[0], c[1])).array; auto R = C.map!(c => c[2]).array; auto graph = new int[][](N, 0); foreach(i; 0..N - 1) foreach(j; i + 1..N) { auto ma = (R[i] + R[j])^^2; auto mi = (R[i] - R[j])^^2; auto norm = V[i].norm(V[j]); if (norm < mi || norm > ma) continue; graph[i] ~= j; graph[j] ~= i; } auto goals = N.iota.map!(i => V[i].norm(T) == R[i]^^2).array; int[] starts; foreach(i; 0..N) { if (V[i].norm(S) == R[i]^^2) starts ~= i; } starts.deb; goals.deb; graph.deb; auto visited = new bool[](N); auto added = new bool[](N); for(auto q = DList!int(starts); !q.empty;) { auto p = q.front; q.removeFront; if (goals[p]) return YESNO[true]; if (visited[p]) continue; visited[p] = added[p] = true; foreach(next; graph[p]) { if (added[next]) continue; added[next] = true; q.insertBack(next); } } return YESNO[false]; } outputForAtCoder(&solve); } // ---------------------------------------------- import std; T[][] combinations(T)(T[] s, in long m) { if (!m) return [[]]; if (s.empty) return []; return s[1 .. $].combinations(m - 1).map!(x => s[0] ~ x).array ~ s[1 .. $].combinations(m); } string scan(){ static string[] ss; while(!ss.length) ss = readln.chomp.split; string res = ss[0]; ss.popFront; return res; } T scan(T)(){ return scan.to!T; } T[] scan(T)(long n){ return n.iota.map!(i => scan!T()).array; } void deb(T ...)(T t){ debug writeln(t); } long[] divisors(long n) { long[] ret; for (long i = 1; i * i <= n; i++) { if (n % i == 0) { ret ~= i; if (i * i != n) ret ~= n / i; } } return ret.sort.array; } bool chmin(T)(ref T a, T b) { if (b < a) { a = b; return true; } else return false; } bool chmax(T)(ref T a, T b) { if (b > a) { a = b; return true; } else return false; } string charSort(alias S = "a < b")(string s) { return (cast(char[])((cast(byte[])s).sort!S.array)).to!string; } ulong comb(ulong a, ulong b) { if (b == 0) {return 1;}else{return comb(a - 1, b - 1) * a / b;}} string toAnswerString(R)(R r) { return r.map!"a.to!string".joiner(" ").array.to!string; } struct ModInt(uint MD) if (MD < int.max) {ulong v;this(string v) {this(v.to!long);}this(int v) {this(long(v));}this(long v) {this.v = (v%MD+MD)%MD;}void opAssign(long t) {v = (t%MD+MD)%MD;}static auto normS(ulong x) {return (x<MD)?x:x-MD;}static auto make(ulong x) {ModInt m; m.v = x; return m;}auto opBinary(string op:"+")(ModInt r) const {return make(normS(v+r.v));}auto opBinary(string op:"-")(ModInt r) const {return make(normS(v+MD-r.v));}auto opBinary(string op:"*")(ModInt r) const {return make((ulong(v)*r.v%MD).to!ulong);}auto opBinary(string op:"^^", T)(T r) const {long x=v;long y=1;while(r){if(r%2==1)y=(y*x)%MD;x=x^^2%MD;r/=2;} return make(y);}auto opBinary(string op:"/")(ModInt r) const {return this*memoize!inv(r);}static ModInt inv(ModInt x) {return x^^(MD-2);}string toString() const {return v.to!string;}auto opOpAssign(string op)(ModInt r) {return mixin ("this=this"~op~"r");}} alias MInt1 = ModInt!(10^^9 + 7); alias MInt9 = ModInt!(998_244_353); void outputForAtCoder(T)(T delegate() fn) { static if (is(T == float) || is(T == double) || is(T == real)) "%.16f".writefln(fn()); else static if (is(T == void)) fn(); else static if (is(T == string)) fn().writeln; else static if (isInputRange!T) { static if (!is(string == ElementType!T) && isInputRange!(ElementType!T)) foreach(r; fn()) r.toAnswerString.writeln; else foreach(r; fn()) r.writeln; } else fn().writeln; } void runSolver() { static import std.datetime.stopwatch; enum BORDER = "=================================="; debug { BORDER.writeln; while(!stdin.eof) { "<<< Process time: %s >>>".writefln(std.datetime.stopwatch.benchmark!problem(1)); BORDER.writeln; } } else problem(); } enum YESNO = [true: "Yes", false: "No"]; // ----------------------------------------------- struct Vector2(T) { T x, y; Vector2 add(Vector2 other) { return Vector2(x + other.x, y + other.y ); } Vector2 opAdd(Vector2 other) { return add(other); } Vector2 sub(Vector2 other) { return Vector2(x - other.x, y - other.y ); } Vector2 opSub(Vector2 other) { return sub(other); } T norm(Vector2 other) {return (x - other.x)*(x - other.x) + (y - other.y)*(y - other.y); } T dot(Vector2 other) {return x*other.y - y*other.x; } Vector2 normalize() {if (x == 0 || y == 0) return Vector2(x == 0 ? 0 : x/x.abs, y == 0 ? 0 : y/y.abs);const gcd = x.abs.gcd(y.abs);return Vector2(x / gcd, y / gcd);} }
D
module tinysdl.destructuring.tests; import tinysdl; import tinysdl.destructuring; import std.stdio; // Attribute destructuring unittest { // destructuring into variables { enum source = `example aText="someText" aReal=3.14 aBoolean=true`; string aText; double aReal; bool aBoolean; destructureAttributes(parse(source).child(0), option.required, "aText", &aText, option.required, "aReal", &aReal, option.required, "aBoolean", &aBoolean); assert(aText == "someText"); assert(aReal == 3.14); assert(aBoolean == true); } // destructuring into functions { enum source = `example aText="someText" aReal=3.14 aBoolean=true`; string aText; double aReal; bool aBoolean; destructureAttributes(parse(source).child(0), option.required, "aText", delegate(string v) { aText = v; }, option.required, "aReal", delegate(double v) { aReal = v; }, option.required, "aBoolean", delegate(bool v) { aBoolean = v; }); assert(aText == "someText"); assert(aReal == 3.14); assert(aBoolean == true); } // destructuring without storing { enum source = `example aText="someText" aReal=3.14 aBoolean=true`; destructureAttributes(parse(source).child(0), option.required, "aText", null, option.required, "aReal", null, option.required, "aBoolean", null); } // optional { enum source = `example aRequired="a"`; destructureAttributes(parse(source).child(0), option.required, "aRequired", null, "aOptional", null); } // required { enum source = `example aOptional="a"`; try { destructureAttributes(parse(source).child(0), option.required, "aRequired", null, "aOptional", null); assert(0); } catch (DestructuringError) {} } // unknown attributes { enum source = `example aKnown="" aUnknown=""`; try { destructureAttributes(parse(source).child(0), "aKnown", null); } catch (DestructuringError) {} } // automatic conversions into variables { enum source = `example aInteger=3`; int aInteger; destructureAttributes(parse(source).child(0), option.required, "aInteger", &aInteger); assert(aInteger == 3); } { enum source = `example aInteger=3.14`; int aInteger; try { destructureAttributes(parse(source).child(0), option.required, "aInteger", &aInteger); assert(0); } catch (DestructuringError) {} } { enum source = `example aInteger=-3`; uint aInteger; try { destructureAttributes(parse(source).child(0), option.required, "aInteger", &aInteger); assert(0); } catch (DestructuringError ex) {} } // automatic conversions into functions { enum source = `example aInteger=3`; int aInteger; destructureAttributes(parse(source).child(0), option.required, "aInteger", delegate(int v) { aInteger = v; }); assert(aInteger == 3); } { enum source = `example aInteger=3.14`; try { destructureAttributes(parse(source).child(0), option.required, "aInteger", delegate(int v) {}); assert(0); } catch (DestructuringError) {} } { enum source = `example aInteger=-3`; try { destructureAttributes(parse(source).child(0), option.required, "aInteger", delegate(uint v) {}); assert(0); } catch (DestructuringError ex) {} } } // Child destructuring unittest { // destructuring into variables { enum source = `t1; t2; t3 a=1; t3 a=2;`; Tag t1; Tag t2; Tag[] t3; destructureChildren(parse(source), option.required, "t1", &t1, option.required, "t2", &t2, option.required, "t3", &t3); assert(t1 !is null && t1.name == "t1"); assert(t2 !is null && t2.name == "t2"); assert(t3.length == 2); assert(t3[0].name == "t3" && t3[1].name == "t3"); assert(t3[0].attribute("a").value.asNumber == 1 && t3[1].attribute("a").value.asNumber == 2); } // destructuring into functions { enum source = `t1; t2; t3 a=1; t3 a=2;`; Tag t1; Tag t2; Tag[] t3; destructureChildren(parse(source), option.required, "t1", delegate(Tag v) { t1 = v; }, option.required, "t2", delegate(Tag v) { t2 = v; }, option.required, "t3", delegate(Tag v) { t3 ~= v; }); assert(t1 !is null && t1.name == "t1"); assert(t2 !is null && t2.name == "t2"); assert(t3.length == 2); assert(t3[0].name == "t3" && t3[1].name == "t3"); assert(t3[0].attribute("a").value.asNumber == 1 && t3[1].attribute("a").value.asNumber == 2); } // destructuring without storing { enum source = `t1; t2; t3 a=1; t3 a=2;`; destructureChildren(parse(source), option.required, "t1", null, option.required, "t2", null, option.required, "t3", null); } // optional { enum source = `aRequired`; destructureChildren(parse(source), option.required, "aRequired", null, "aOptional", null); } // required { enum source = `aOptional`; try { destructureChildren(parse(source), option.required, "aRequired", null, "aOptional", null); assert(0); } catch (DestructuringError) {} } // unknown children { enum source = `aKnown; aUnknown`; try { destructureAttributes(parse(source).child(0), "aKnown", null); } catch (DestructuringError) {} } // multivalues { enum source = `t1; t1`; Tag t1; try { destructureChildren(parse(source), option.required, "t1", &t1); assert(0); } catch (DestructuringError) {} } } // Value destructuring unittest { // destructuring into variables { enum source = `t1 "someText" 3.14 true`; string v1; double v2; bool v3; destructureValues(parse(source).child(0), &v1, &v2, &v3); assert(v1 == "someText"); assert(v2 == 3.14); assert(v3 == true); } // destructuring into functions { enum source = `t1 "someText" 3.14 true`; string v1; double v2; bool v3; destructureValues(parse(source).child(0), delegate(string v) { v1 = v; }, delegate(double v) { v2 = v; }, delegate(bool v) { v3 = v; }); assert(v1 == "someText"); assert(v2 == 3.14); assert(v3 == true); } // destructuring without storing { enum source = `t1 "someText" 3.14 true`; destructureValues(parse(source).child(0), null, null, null); } // destructuring with rest into variables { enum source = `t1 "someText" 3.14 true 1 2 3`; string v1; double v2; bool v3; int[] rest; destructureValues(parse(source).child(0), &v1, &v2, &v3, option.rest, &rest); assert(v1 == "someText"); assert(v2 == 3.14); assert(v3 == true); assert(rest == [1, 2, 3]); } // destructuring with rest into functions { enum source = `t1 "someText" 3.14 true 1 2 3`; string v1; double v2; bool v3; int[] rest; destructureValues(parse(source).child(0), delegate(string v) { v1 = v; }, delegate(double v) { v2 = v; }, delegate(bool v) { v3 = v; }, option.rest, delegate(int v) { rest ~= v; }); assert(v1 == "someText"); assert(v2 == 3.14); assert(v3 == true); assert(rest == [1, 2, 3]); } // destructuring with rest without storing { enum source = `t1 "someText" 3.14 true 1 2 3`; destructureValues(parse(source).child(0), null, null, null, option.rest, null); } // too many elements { enum source = `t1 1 2`; try { destructureValues(parse(source).child(0), null); assert(0); } catch (DestructuringError) {} } // too few elements { enum source = `t1 1 2`; try { destructureValues(parse(source).child(0), null, null, null); assert(0); } catch (DestructuringError) {} } }
D
module fun.cos_fun; import language.fun, language.expression; import std.string, std.conv; import pegged.grammar; import program; class Cos_fun:TrigonometricFun { mixin FunConstructor; override string getName() { return "cos"; } }
D
/* * This file is part of gtkD. * * gtkD is free software; you can redistribute it and/or modify * it under the terms of the GNU Lesser General Public License as published by * the Free Software Foundation; either version 2.1 of the License, or * (at your option) any later version. * * gtkD is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with gtkD; if not, write to the Free Software * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ // generated automatically - do not change // find conversion definition on APILookup.txt // implement new conversion functionalities on the wrap.utils pakage /* * Conversion parameters: * inFile = libgda-GdaConnection.html * outPack = gda * outFile = Connection * strct = GdaConnection * realStrct= * ctorStrct= * clss = Connection * interf = * class Code: No * interface Code: No * template for: * extend = GObject * implements: * prefixes: * - gda_connection_ * omit structs: * omit prefixes: * omit code: * omit signals: * imports: * - gtkD.glib.Str * - gtkD.glib.ListG * - gtkD.gda.Blob * - gtkD.gda.Client * - gtkD.gda.Command * - gtkD.gda.DataModel * - gtkD.gda.ErrorGda * - gtkD.gda.FieldAttributes * - gtkD.gda.ParameterList * - gtkD.gda.Transaction * structWrap: * - GList* -> ListG * - GdaBlob* -> Blob * - GdaClient* -> Client * - GdaCommand* -> Command * - GdaDataModel* -> DataModel * - GdaError* -> ErrorGda * - GdaFieldAttributes* -> FieldAttributes * - GdaParameterList* -> ParameterList * - GdaTransaction* -> Transaction * module aliases: * local aliases: * overrides: */ module gtkD.gda.Connection; public import gtkD.gdac.gdatypes; private import gtkD.gdac.gda; private import gtkD.glib.ConstructionException; private import gtkD.glib.Str; private import gtkD.glib.ListG; private import gtkD.gda.Blob; private import gtkD.gda.Client; private import gtkD.gda.Command; private import gtkD.gda.DataModel; private import gtkD.gda.ErrorGda; private import gtkD.gda.FieldAttributes; private import gtkD.gda.ParameterList; private import gtkD.gda.Transaction; private import gtkD.gobject.ObjectG; /** * Description * The GdaConnection class offers access to all operations involving an * opened connection to a database. GdaConnection objects are obtained * via the GdaClient class. * Once obtained, applications can use GdaConnection to execute commands, * run transactions, and get information about all objects stored in the * underlying database. */ public class Connection : ObjectG { /** the main Gtk struct */ protected GdaConnection* gdaConnection; public GdaConnection* getConnectionStruct() { return gdaConnection; } /** the main Gtk struct as a void* */ protected override void* getStruct() { return cast(void*)gdaConnection; } /** * Sets our main struct and passes it to the parent class */ public this (GdaConnection* gdaConnection) { if(gdaConnection is null) { this = null; return; } //Check if there already is a D object for this gtk struct void* ptr = getDObject(cast(GObject*)gdaConnection); if( ptr !is null ) { this = cast(Connection)ptr; return; } super(cast(GObject*)gdaConnection); this.gdaConnection = gdaConnection; } /** */ /** * This function creates a new GdaConnection object. It is not * intended to be used directly by applications (use * gda_client_open_connection instead). * Params: * client = a GdaClient object. * provider = a GdaServerProvider object. * dsn = GDA data source to connect to. * username = user name to use to connect. * password = password for username. * options = options for the connection. * Throws: ConstructionException GTK+ fails to create the object. */ public this (Client client, GdaServerProvider* provider, string dsn, string username, string password, GdaConnectionOptions options) { // GdaConnection* gda_connection_new (GdaClient *client, GdaServerProvider *provider, const gchar *dsn, const gchar *username, const gchar *password, GdaConnectionOptions options); auto p = gda_connection_new((client is null) ? null : client.getClientStruct(), provider, Str.toStringz(dsn), Str.toStringz(username), Str.toStringz(password), options); if(p is null) { throw new ConstructionException("null returned by gda_connection_new((client is null) ? null : client.getClientStruct(), provider, Str.toStringz(dsn), Str.toStringz(username), Str.toStringz(password), options)"); } this(cast(GdaConnection*) p); } /** * Closes the connection to the underlying data source. After calling this * function, you should not use anymore the GdaConnection object, since * it may have been destroyed. * Returns: TRUE if successful, FALSE otherwise. */ public int close() { // gboolean gda_connection_close (GdaConnection *cnc); return gda_connection_close(gdaConnection); } /** * Checks whether a connection is open or not. * Returns: TRUE if the connection is open, FALSE if it's not. */ public int isOpen() { // gboolean gda_connection_is_open (GdaConnection *cnc); return gda_connection_is_open(gdaConnection); } /** * Gets the GdaClient object associated with a connection. This * is always the client that created the connection, as returned * by gda_client_open_connection. * Returns: the client to which the connection belongs to. */ public Client getClient() { // GdaClient* gda_connection_get_client (GdaConnection *cnc); auto p = gda_connection_get_client(gdaConnection); if(p is null) { return null; } return new Client(cast(GdaClient*) p); } /** * Associates a GdaClient with this connection. This function is * not intended to be called by applications. * Params: * client = a GdaClient object. */ public void setClient(Client client) { // void gda_connection_set_client (GdaConnection *cnc, GdaClient *client); gda_connection_set_client(gdaConnection, (client is null) ? null : client.getClientStruct()); } /** * Gets the GdaConnectionOptions used to open this connection. * Returns: the connection options. */ public GdaConnectionOptions getOptions() { // GdaConnectionOptions gda_connection_get_options (GdaConnection *cnc); return gda_connection_get_options(gdaConnection); } /** * Gets the version string of the underlying database server. * Returns: the server version string. */ public string getServerVersion() { // const gchar* gda_connection_get_server_version (GdaConnection *cnc); return Str.toString(gda_connection_get_server_version(gdaConnection)); } /** * Gets the name of the currently active database in the given * GdaConnection. * Returns: the name of the current database. */ public string getDatabase() { // const gchar* gda_connection_get_database (GdaConnection *cnc); return Str.toString(gda_connection_get_database(gdaConnection)); } /** * Returns:the data source name the connection object is connectedto. */ public string getDsn() { // const gchar* gda_connection_get_dsn (GdaConnection *cnc); return Str.toString(gda_connection_get_dsn(gdaConnection)); } /** * Gets the connection string used to open this connection. * The connection string is the string sent over to the underlying * database provider, which describes the parameters to be used * to open a connection on the underlying data source. * Returns: the connection string used when opening the connection. */ public string getCncString() { // const gchar* gda_connection_get_cnc_string (GdaConnection *cnc); return Str.toString(gda_connection_get_cnc_string(gdaConnection)); } /** * Gets the provider id that this connection is connected to. * Returns: the provider ID used to open this connection. */ public string getProvider() { // const gchar* gda_connection_get_provider (GdaConnection *cnc); return Str.toString(gda_connection_get_provider(gdaConnection)); } /** * Gets the user name used to open this connection. * Returns: the user name. */ public string getUsername() { // const gchar* gda_connection_get_username (GdaConnection *cnc); return Str.toString(gda_connection_get_username(gdaConnection)); } /** * Gets the password used to open this connection. * Returns: the password. */ public string getPassword() { // const gchar* gda_connection_get_password (GdaConnection *cnc); return Str.toString(gda_connection_get_password(gdaConnection)); } /** * Adds an error to the given connection. This function is usually * called by providers, to inform clients of errors that happened * during some operation. * As soon as a provider (or a client, it does not matter) calls this * function, the connection object (and the associated GdaClient object) * emits the "error" signal, to which clients can connect to be * informed of errors. * Params: * error = is stored internally, so you don't need to unref it. */ public void addError(ErrorGda error) { // void gda_connection_add_error (GdaConnection *cnc, GdaError *error); gda_connection_add_error(gdaConnection, (error is null) ? null : error.getErrorGdaStruct()); } /** * This is just another convenience function which lets you add * a list of GdaError's to the given connection. As with * gda_connection_add_error and gda_connection_add_error_string, * this function makes the connection object emit the "error" * signal. The only difference is that, instead of a notification * for each error, this function only does one notification for * the whole list of errors. * error_list is copied to an internal list and freed. * Params: * errorList = a list of GdaError. */ public void addErrorList(ListG errorList) { // void gda_connection_add_error_list (GdaConnection *cnc, GList *error_list); gda_connection_add_error_list(gdaConnection, (errorList is null) ? null : errorList.getListGStruct()); } /** * Changes the current database for the given connection. This operation * is not available in all providers. * Params: * name = name of database to switch to. * Returns: TRUE if successful, FALSE otherwise. */ public int changeDatabase(string name) { // gboolean gda_connection_change_database (GdaConnection *cnc, const gchar *name); return gda_connection_change_database(gdaConnection, Str.toStringz(name)); } /** * Creates a new database named name on the given connection. * Params: * name = database name. * Returns: TRUE if successful, FALSE otherwise. */ public int createDatabase(string name) { // gboolean gda_connection_create_database (GdaConnection *cnc, const gchar *name); return gda_connection_create_database(gdaConnection, Str.toStringz(name)); } /** * Drops a database from the given connection. * Params: * name = database name. * Returns: TRUE if successful, FALSE otherwise. */ public int dropDatabase(string name) { // gboolean gda_connection_drop_database (GdaConnection *cnc, const gchar *name); return gda_connection_drop_database(gdaConnection, Str.toStringz(name)); } /** * Creates a table on the given connection from the specified set of fields. * Params: * tableName = name of the table to be created. * attributes = description of all fields for the new table. * Returns: TRUE if successful, FALSE otherwise. */ public int createTable(string tableName, GdaFieldAttributes*[] attributes) { // gboolean gda_connection_create_table (GdaConnection *cnc, const gchar *table_name, const GdaFieldAttributes *attributes[]); return gda_connection_create_table(gdaConnection, Str.toStringz(tableName), attributes); } /** * Drops a table from the database. * Params: * tableName = name of the table to be removed * Returns: TRUE if successful, FALSE otherwise. */ public int dropTable(string tableName) { // gboolean gda_connection_drop_table (GdaConnection *cnc, const gchar *table_name); return gda_connection_drop_table(gdaConnection, Str.toStringz(tableName)); } /** * Executes a command on the underlying data source. * This function provides the way to send several commands * at once to the data source being accessed by the given * GdaConnection object. The GdaCommand specified can contain * a list of commands in its "text" property (usually a set * of SQL commands separated by ';'). * The return value is a GList of GdaDataModel's, which you * are responsible to free when not needed anymore. * Params: * cmd = a GdaCommand. * params = parameter list. * Returns: a list of GdaDataModel's, as returned by the underlyingprovider. */ public ListG executeCommand(Command cmd, ParameterList params) { // GList* gda_connection_execute_command (GdaConnection *cnc, GdaCommand *cmd, GdaParameterList *params); auto p = gda_connection_execute_command(gdaConnection, (cmd is null) ? null : cmd.getCommandStruct(), (params is null) ? null : params.getParameterListStruct()); if(p is null) { return null; } return new ListG(cast(GList*) p); } /** * Retrieve from the given GdaConnection the ID of the last inserted row. * A connection must be specified, and, optionally, a result set. If not NULL, * the underlying provider should try to get the last insert ID for the given result set. * Params: * recset = recordset. * Returns: a string representing the ID of the last inserted row, or NULLif an error occurred or no row has been inserted. It is the caller'sreponsibility to free the returned string. */ public string getLastInsertId(DataModel recset) { // gchar* gda_connection_get_last_insert_id (GdaConnection *cnc, GdaDataModel *recset); return Str.toString(gda_connection_get_last_insert_id(gdaConnection, (recset is null) ? null : recset.getDataModelStruct())); } /** * Executes a single command on the given connection. * This function lets you retrieve a simple data model from * the underlying difference, instead of having to retrieve * a list of them, as is the case with gda_connection_execute_command. * Params: * cmd = a GdaCommand. * params = parameter list. * Returns: a GdaDataModel containing the data returned by thedata source, or NULL on error. */ public DataModel executeSingleCommand(Command cmd, ParameterList params) { // GdaDataModel* gda_connection_execute_single_command (GdaConnection *cnc, GdaCommand *cmd, GdaParameterList *params); auto p = gda_connection_execute_single_command(gdaConnection, (cmd is null) ? null : cmd.getCommandStruct(), (params is null) ? null : params.getParameterListStruct()); if(p is null) { return null; } return new DataModel(cast(GdaDataModel*) p); } /** * Executes a single command on the underlying database, and gets the * number of rows affected. * Params: * cmd = a GdaCommand. * params = parameter list. * Returns: the number of affected rows by the executed command,or -1 on error. */ public int executeNonQuery(Command cmd, ParameterList params) { // gint gda_connection_execute_non_query (GdaConnection *cnc, GdaCommand *cmd, GdaParameterList *params); return gda_connection_execute_non_query(gdaConnection, (cmd is null) ? null : cmd.getCommandStruct(), (params is null) ? null : params.getParameterListStruct()); } /** * Starts a transaction on the data source, identified by the * xaction parameter. * Before starting a transaction, you can check whether the underlying * provider does support transactions or not by using the * gda_connection_supports function. * Params: * xaction = a GdaTransaction object. * Returns: TRUE if the transaction was started successfully, FALSEotherwise. */ public int beginTransaction(Transaction xaction) { // gboolean gda_connection_begin_transaction (GdaConnection *cnc, GdaTransaction *xaction); return gda_connection_begin_transaction(gdaConnection, (xaction is null) ? null : xaction.getTransactionStruct()); } /** * Commits the given transaction to the backend database. You need to do * gda_connection_begin_transaction() first. * Params: * xaction = a GdaTransaction object. * Returns: TRUE if the transaction was finished successfully,FALSE otherwise. */ public int commitTransaction(Transaction xaction) { // gboolean gda_connection_commit_transaction (GdaConnection *cnc, GdaTransaction *xaction); return gda_connection_commit_transaction(gdaConnection, (xaction is null) ? null : xaction.getTransactionStruct()); } /** * Rollbacks the given transaction. This means that all changes * made to the underlying data source since the last call to * gda_connection_begin_transaction or gda_connection_commit_transaction * will be discarded. * Params: * xaction = a GdaTransaction object. * Returns: TRUE if the operation was successful, FALSE otherwise. */ public int rollbackTransaction(Transaction xaction) { // gboolean gda_connection_rollback_transaction (GdaConnection *cnc, GdaTransaction *xaction); return gda_connection_rollback_transaction(gdaConnection, (xaction is null) ? null : xaction.getTransactionStruct()); } /** * Creates a BLOB (Binary Large OBject) with read/write access. * Params: * blob = a user-allocated GdaBlob structure. * Returns: FALSE if the database does not support BLOBs. TRUE otherwiseand the GdaBlob is created and ready to be used. */ public int createBlob(Blob blob) { // gboolean gda_connection_create_blob (GdaConnection *cnc, GdaBlob *blob); return gda_connection_create_blob(gdaConnection, (blob is null) ? null : blob.getBlobStruct()); } /** * Retrieves a list of the last errors ocurred in the connection. * You can make a copy of the list using gda_error_list_copy. * Returns: a GList of GdaError. */ public ListG getErrors() { // const GList* gda_connection_get_errors (GdaConnection *cnc); auto p = gda_connection_get_errors(gdaConnection); if(p is null) { return null; } return new ListG(cast(GList*) p); } /** * Asks the underlying provider for if a specific feature is supported. * Params: * feature = feature to ask for. * Returns: TRUE if the provider supports it, FALSE if not. */ public int supports(GdaConnectionFeature feature) { // gboolean gda_connection_supports (GdaConnection *cnc, GdaConnectionFeature feature); return gda_connection_supports(gdaConnection, feature); } /** * Asks the underlying data source for a list of database objects. * This is the function that lets applications ask the different * providers about all their database objects (tables, views, procedures, * etc). The set of database objects that are retrieved are given by the * 2 parameters of this function: schema, which specifies the specific * schema required, and params, which is a list of parameters that can * be used to give more detail about the objects to be returned. * The list of parameters is specific to each schema type. * Params: * schema = database schema to get. * params = parameter list. * Returns: a GdaDataModel containing the data required. The caller is responsibleof freeing the returned model. */ public DataModel getSchema(GdaConnectionSchema schema, ParameterList params) { // GdaDataModel* gda_connection_get_schema (GdaConnection *cnc, GdaConnectionSchema schema, GdaParameterList *params); auto p = gda_connection_get_schema(gdaConnection, schema, (params is null) ? null : params.getParameterListStruct()); if(p is null) { return null; } return new DataModel(cast(GdaDataModel*) p); } }
D
/Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/ViewController.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/customviewIB.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/SaveAPIResponseViewController.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/testViewController.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/SectionsViewController.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/ThreadViewController.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/sampleViewController.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/AppDelegate.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/JsonAssignedTasks+CoreDataClass.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/JsonAssignedTasks+CoreDataProperties.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/JsonWorkersEmployeeDetails+CoreDataClass.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/JsonWorkersEmployeeDetails+CoreDataProperties.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/Person+CoreDataClass.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/Person+CoreDataProperties.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/CoreDataSampleApp+CoreDataModel.o : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/CoreDataSampleApp.swiftmodule : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/CoreDataSampleApp.swiftdoc : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/Objects-normal-tsan/x86_64/CoreDataSampleApp-Swift.h : /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/customviewIB.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SaveAPIResponseViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/testViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/SectionsViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/ThreadViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/sampleViewController.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/CoreDataSampleApp/AppDelegate.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonAssignedTasks+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/JsonWorkersEmployeeDetails+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataClass.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/Person+CoreDataProperties.swift /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Intermediates/CoreDataSampleApp.build/Release-iphonesimulator/CoreDataSampleApp.build/DerivedSources/CoreDataGenerated/CoreDataSampleApp/CoreDataSampleApp+CoreDataModel.swift /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/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/CoreData.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/apple-1/Documents/xCode/CoreDataSampleApp/Build/Products/Release-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap
D
/* * This file is part of gtkD. * * gtkD is free software; you can redistribute it and/or modify * it under the terms of the GNU Lesser General Public License as published by * the Free Software Foundation; either version 2.1 of the License, or * (at your option) any later version. * * gtkD is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with gtkD; if not, write to the Free Software * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ // generated automatically - do not change // find conversion definition on APILookup.txt // implement new conversion functionalities on the wrap.utils pakage /* * Conversion parameters: * inFile = glib-Memory-Allocation.html * outPack = glib * outFile = Memory * strct = * realStrct= * ctorStrct= * clss = Memory * interf = * class Code: No * interface Code: No * template for: * extend = * implements: * prefixes: * - g_ * omit structs: * omit prefixes: * omit code: * omit signals: * imports: * structWrap: * module aliases: * local aliases: * overrides: */ module gtkD.glib.Memory; public import gtkD.gtkc.glibtypes; private import gtkD.gtkc.glib; private import gtkD.glib.ConstructionException; /** * Description * These functions provide support for allocating and freeing memory. * Note * If any call to allocate memory fails, the application is terminated. * This also means that there is no need to check if the call succeeded. * Note * It's important to match g_malloc() with g_free(), plain malloc() with free(), * and (if you're using C++) new with delete and new[] with delete[]. Otherwise * bad things can happen, since these allocators may use different memory * pools (and new/delete call constructors and destructors). See also * g_mem_set_vtable(). */ public class Memory { /** */ /** * Allocates n_bytes bytes of memory. * If n_bytes is 0 it returns NULL. * Params: * nBytes = the number of bytes to allocate * Returns:a pointer to the allocated memory */ public static void* malloc(uint nBytes) { // gpointer g_malloc (gsize n_bytes); return g_malloc(nBytes); } /** * Allocates n_bytes bytes of memory, initialized to 0's. * If n_bytes is 0 it returns NULL. * Params: * nBytes = the number of bytes to allocate * Returns:a pointer to the allocated memory */ public static void* malloc0(uint nBytes) { // gpointer g_malloc0 (gsize n_bytes); return g_malloc0(nBytes); } /** * Reallocates the memory pointed to by mem, so that it now has space for * n_bytes bytes of memory. It returns the new address of the memory, which may * have been moved. mem may be NULL, in which case it's considered to * have zero-length. n_bytes may be 0, in which case NULL will be returned * and mem will be freed unless it is NULL. * Params: * mem = the memory to reallocate * nBytes = new size of the memory in bytes * Returns:the new address of the allocated memory */ public static void* realloc(void* mem, uint nBytes) { // gpointer g_realloc (gpointer mem, gsize n_bytes); return g_realloc(mem, nBytes); } /** * Attempts to allocate n_bytes, and returns NULL on failure. * Contrast with g_malloc(), which aborts the program on failure. * Params: * nBytes = number of bytes to allocate. * Returns:the allocated memory, or NULL. */ public static void* tryMalloc(uint nBytes) { // gpointer g_try_malloc (gsize n_bytes); return g_try_malloc(nBytes); } /** * Attempts to allocate n_bytes, initialized to 0's, and returns NULL on * failure. Contrast with g_malloc0(), which aborts the program on failure. * Since 2.8 * Params: * nBytes = number of bytes to allocate * Returns:the allocated memory, or NULL */ public static void* tryMalloc0(uint nBytes) { // gpointer g_try_malloc0 (gsize n_bytes); return g_try_malloc0(nBytes); } /** * Attempts to realloc mem to a new size, n_bytes, and returns NULL * on failure. Contrast with g_realloc(), which aborts the program * on failure. If mem is NULL, behaves the same as g_try_malloc(). * Params: * mem = previously-allocated memory, or NULL. * nBytes = number of bytes to allocate. * Returns:the allocated memory, or NULL. */ public static void* tryRealloc(void* mem, uint nBytes) { // gpointer g_try_realloc (gpointer mem, gsize n_bytes); return g_try_realloc(mem, nBytes); } /** * Frees the memory pointed to by mem. * If mem is NULL it simply returns. * Params: * mem = the memory to free */ public static void free(void* mem) { // void g_free (gpointer mem); g_free(mem); } /** * Allocates byte_size bytes of memory, and copies byte_size bytes into it * from mem. If mem is NULL it returns NULL. * Params: * mem = the memory to copy. * byteSize = the number of bytes to copy. * Returns:a pointer to the newly-allocated copy of the memory, or NULL if memis NULL. */ public static void* memdup(void* mem, uint byteSize) { // gpointer g_memdup (gconstpointer mem, guint byte_size); return g_memdup(mem, byteSize); } /** * Sets the GMemVTable to use for memory allocation. You can use this to provide * custom memory allocation routines. This function must be called * before using any other GLib functions. The vtable only needs to * provide malloc(), realloc(), and free() functions; GLib can provide default * implementations of the others. The malloc() and realloc() implementations * should return NULL on failure, GLib will handle error-checking for you. * vtable is copied, so need not persist after this function has been called. * Params: * vtable = table of memory allocation routines. */ public static void memSetVtable(GMemVTable* vtable) { // void g_mem_set_vtable (GMemVTable *vtable); g_mem_set_vtable(vtable); } /** * Checks whether the allocator used by g_malloc() is the system's * malloc implementation. If it returns TRUE memory allocated with * malloc() can be used interchangeable with memory allocated using g_malloc(). * This function is useful for avoiding an extra copy of allocated memory returned * by a non-GLib-based API. * A different allocator can be set using g_mem_set_vtable(). * Returns: if TRUE, malloc() and g_malloc() can be mixed. */ public static int memIsSystemMalloc() { // gboolean g_mem_is_system_malloc (void); return g_mem_is_system_malloc(); } /** * Outputs a summary of memory usage. * It outputs the frequency of allocations of different sizes, * the total number of bytes which have been allocated, * the total number of bytes which have been freed, * and the difference between the previous two values, i.e. the number of bytes * still in use. * Note that this function will not output anything unless you have * previously installed the glib_mem_profiler_table with g_mem_set_vtable(). */ public static void memProfile() { // void g_mem_profile (void); g_mem_profile(); } }
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 _todt.d) */ module ddmd.todt; import core.stdc.stdio; import core.stdc.string; import ddmd.root.array; import ddmd.root.rmem; import ddmd.aggregate; import ddmd.arraytypes; import ddmd.backend; import ddmd.complex; import ddmd.ctfeexpr; import ddmd.declaration; import ddmd.dclass; import ddmd.denum; import ddmd.dstruct; import ddmd.dsymbol; import ddmd.dtemplate; import ddmd.errors; import ddmd.expression; import ddmd.func; import ddmd.globals; import ddmd.init; import ddmd.mtype; import ddmd.target; import ddmd.tokens; import ddmd.typinf; import ddmd.visitor; /* A dt_t is a simple structure representing data to be added * to the data segment of the output object file. As such, * it is a list of initialized bytes, 0 data, and offsets from * other symbols. * Each D symbol and type can be converted into a dt_t so it can * be written to the data segment. */ alias Dts = Array!(dt_t*); extern (C++) Symbol* toSymbol(Dsymbol s); extern (C++) uint baseVtblOffset(ClassDeclaration cd, BaseClass* bc); extern (C++) void toObjFile(Dsymbol ds, bool multiobj); extern (C++) Symbol* toVtblSymbol(ClassDeclaration cd); extern (C++) Symbol* toSymbol(StructLiteralExp sle); extern (C++) Symbol* toSymbol(ClassReferenceExp cre); extern (C++) Symbol* toInitializer(AggregateDeclaration ad); extern (C++) Symbol* toInitializer(EnumDeclaration ed); extern (C++) FuncDeclaration search_toString(StructDeclaration sd); extern (C++) Symbol* toSymbolCppTypeInfo(ClassDeclaration cd); /* ================================================================ */ extern (C++) void Initializer_toDt(Initializer init, DtBuilder dtb) { extern (C++) class InitToDt : Visitor { DtBuilder dtb; this(DtBuilder dtb) { this.dtb = dtb; } alias visit = super.visit; override void visit(Initializer) { assert(0); } override void visit(VoidInitializer vi) { /* Void initializers are set to 0, just because we need something * to set them to in the static data segment. */ dtb.nzeros(cast(uint)vi.type.size()); } override void visit(StructInitializer si) { //printf("StructInitializer.toDt('%s')\n", si.toChars()); assert(0); } override void visit(ArrayInitializer ai) { //printf("ArrayInitializer.toDt('%s')\n", ai.toChars()); Type tb = ai.type.toBasetype(); if (tb.ty == Tvector) tb = (cast(TypeVector)tb).basetype; Type tn = tb.nextOf().toBasetype(); //printf("\tdim = %d\n", ai.dim); Dts dts; dts.setDim(ai.dim); dts.zero(); uint size = cast(uint)tn.size(); uint length = 0; for (size_t i = 0; i < ai.index.dim; i++) { Expression idx = ai.index[i]; if (idx) length = cast(uint)idx.toInteger(); //printf("\tindex[%d] = %p, length = %u, dim = %u\n", i, idx, length, ai.dim); assert(length < ai.dim); scope dtb = new DtBuilder(); Initializer_toDt(ai.value[i], dtb); if (dts[length]) error(ai.loc, "duplicate initializations for index %d", length); dts[length] = dtb.finish(); length++; } Expression edefault = tb.nextOf().defaultInit(); size_t n = 1; for (Type tbn = tn; tbn.ty == Tsarray; tbn = tbn.nextOf().toBasetype()) { TypeSArray tsa = cast(TypeSArray)tbn; n *= tsa.dim.toInteger(); } dt_t* dtdefault = null; scope dtbarray = new DtBuilder(); for (size_t i = 0; i < ai.dim; i++) { if (dts[i]) dtbarray.cat(dts[i]); else { if (!dtdefault) { scope dtb = new DtBuilder(); Expression_toDt(edefault, dtb); dtdefault = dtb.finish(); } dtbarray.repeat(dtdefault, n); } } switch (tb.ty) { case Tsarray: { TypeSArray ta = cast(TypeSArray)tb; size_t tadim = cast(size_t)ta.dim.toInteger(); if (ai.dim < tadim) { if (edefault.isBool(false)) { // pad out end of array dtbarray.nzeros(cast(uint)(size * (tadim - ai.dim))); } else { if (!dtdefault) { scope dtb = new DtBuilder(); Expression_toDt(edefault, dtb); dtdefault = dtb.finish(); } dtbarray.repeat(dtdefault, n * (tadim - ai.dim)); } } else if (ai.dim > tadim) { error(ai.loc, "too many initializers, %d, for array[%d]", ai.dim, tadim); } dtb.cat(dtbarray); break; } case Tpointer: case Tarray: { if (tb.ty == Tarray) dtb.size(ai.dim); dtb.dtoff(dtbarray.finish(), 0); break; } default: assert(0); } dt_free(dtdefault); } override void visit(ExpInitializer ei) { //printf("ExpInitializer.toDt() %s\n", ei.exp.toChars()); ei.exp = ei.exp.optimize(WANTvalue); Expression_toDt(ei.exp, dtb); } } scope v = new InitToDt(dtb); init.accept(v); } /* ================================================================ */ extern (C++) void Expression_toDt(Expression e, DtBuilder dtb) { extern (C++) class ExpToDt : Visitor { DtBuilder dtb; this(DtBuilder dtb) { this.dtb = dtb; } alias visit = super.visit; override void visit(Expression e) { version (none) { printf("Expression.toDt() %d\n", e.op); print(); } e.error("non-constant expression %s", e.toChars()); dtb.nzeros(1); } override void visit(CastExp e) { version (none) { printf("CastExp.toDt() %d from %s to %s\n", e.op, e.e1.type.toChars(), e.type.toChars()); } if (e.e1.type.ty == Tclass && e.type.ty == Tclass) { if ((cast(TypeClass)e.type).sym.isInterfaceDeclaration()) // casting from class to interface { assert(e.e1.op == TOKclassreference); ClassDeclaration from = (cast(ClassReferenceExp)e.e1).originalClass(); InterfaceDeclaration to = (cast(TypeClass)e.type).sym.isInterfaceDeclaration(); int off = 0; int isbase = to.isBaseOf(from, &off); assert(isbase); ClassReferenceExp_toDt(cast(ClassReferenceExp)e.e1, dtb, off); } else //casting from class to class { Expression_toDt(e.e1, dtb); } return; } visit(cast(UnaExp)e); } override void visit(AddrExp e) { version (none) { printf("AddrExp.toDt() %d\n", e.op); } if (e.e1.op == TOKstructliteral) { StructLiteralExp sl = cast(StructLiteralExp)e.e1; dtb.xoff(toSymbol(sl), 0); return; } visit(cast(UnaExp)e); } override void visit(IntegerExp e) { //printf("IntegerExp.toDt() %d\n", e.op); uint sz = cast(uint)e.type.size(); dinteger_t value = e.getInteger(); if (value == 0) dtb.nzeros(sz); else dtb.nbytes(sz, cast(char*)&value); } override void visit(RealExp e) { //printf("RealExp.toDt(%Lg)\n", e.value); switch (e.type.toBasetype().ty) { case Tfloat32: case Timaginary32: { auto fvalue = cast(float)e.value; dtb.nbytes(4, cast(char*)&fvalue); break; } case Tfloat64: case Timaginary64: { auto dvalue = cast(double)e.value; dtb.nbytes(8, cast(char*)&dvalue); break; } case Tfloat80: case Timaginary80: { auto evalue = e.value; dtb.nbytes(Target.realsize - Target.realpad, cast(char*)&evalue); dtb.nzeros(Target.realpad); break; } default: printf("%s\n", e.toChars()); e.type.print(); assert(0); } } override void visit(ComplexExp e) { //printf("ComplexExp.toDt() '%s'\n", e.toChars()); switch (e.type.toBasetype().ty) { case Tcomplex32: { auto fvalue = cast(float)creall(e.value); dtb.nbytes(4, cast(char*)&fvalue); fvalue = cast(float)cimagl(e.value); dtb.nbytes(4, cast(char*)&fvalue); break; } case Tcomplex64: { auto dvalue = cast(double)creall(e.value); dtb.nbytes(8, cast(char*)&dvalue); dvalue = cast(double)cimagl(e.value); dtb.nbytes(8, cast(char*)&dvalue); break; } case Tcomplex80: { auto evalue = creall(e.value); dtb.nbytes(Target.realsize - Target.realpad, cast(char*)&evalue); dtb.nzeros(Target.realpad); evalue = cimagl(e.value); dtb.nbytes(Target.realsize - Target.realpad, cast(char*)&evalue); dtb.nzeros(Target.realpad); break; } default: assert(0); } } override void visit(NullExp e) { assert(e.type); dtb.nzeros(cast(uint)e.type.size()); } override void visit(StringExp e) { //printf("StringExp.toDt() '%s', type = %s\n", e.toChars(), e.type.toChars()); Type t = e.type.toBasetype(); // BUG: should implement some form of static string pooling int n = cast(int)e.numberOfCodeUnits(); char* p = e.toPtr(); if (!p) { p = cast(char*)mem.xmalloc(n * e.sz); e.writeTo(p, false); } switch (t.ty) { case Tarray: dtb.size(n); dtb.abytes(0, n * e.sz, p, cast(uint)e.sz); break; case Tpointer: dtb.abytes(0, n * e.sz, p, cast(uint)e.sz); break; case Tsarray: { TypeSArray tsa = cast(TypeSArray)t; dtb.nbytes(n * e.sz, p); if (tsa.dim) { dinteger_t dim = tsa.dim.toInteger(); if (n < dim) { // Pad remainder with 0 dtb.nzeros(cast(uint)((dim - n) * tsa.next.size())); } } break; } default: printf("StringExp.toDt(type = %s)\n", e.type.toChars()); assert(0); } if (p != e.toPtr()) mem.xfree(p); } override void visit(ArrayLiteralExp e) { //printf("ArrayLiteralExp.toDt() '%s', type = %s\n", e.toChars(), e.type.toChars()); scope dtbarray = new DtBuilder(); for (size_t i = 0; i < e.elements.dim; i++) { Expression_toDt(e.getElement(i), dtbarray); } Type t = e.type.toBasetype(); switch (t.ty) { case Tsarray: dtb.cat(dtbarray); break; case Tpointer: case Tarray: { if (t.ty == Tarray) dtb.size(e.elements.dim); dt_t* d = dtbarray.finish(); if (d) dtb.dtoff(d, 0); else dtb.size(0); break; } default: assert(0); } } override void visit(StructLiteralExp sle) { //printf("StructLiteralExp.toDt() %s, ctfe = %d\n", sle.toChars(), sle.ownedByCtfe); assert(sle.sd.fields.dim - sle.sd.isNested() <= sle.elements.dim); membersToDt(sle.sd, dtb, sle.elements, 0, null); } override void visit(SymOffExp e) { //printf("SymOffExp.toDt('%s')\n", e.var.toChars()); assert(e.var); if (!(e.var.isDataseg() || e.var.isCodeseg()) || e.var.needThis() || e.var.isThreadlocal()) { version (none) { printf("SymOffExp.toDt()\n"); } e.error("non-constant expression %s", e.toChars()); return; } dtb.xoff(toSymbol(e.var), cast(uint)e.offset); } override void visit(VarExp e) { //printf("VarExp.toDt() %d\n", e.op); VarDeclaration v = e.var.isVarDeclaration(); if (v && (v.isConst() || v.isImmutable()) && e.type.toBasetype().ty != Tsarray && v._init) { if (v.inuse) { e.error("recursive reference %s", e.toChars()); return; } v.inuse++; Initializer_toDt(v._init, dtb); v.inuse--; return; } SymbolDeclaration sd = e.var.isSymbolDeclaration(); if (sd && sd.dsym) { StructDeclaration_toDt(sd.dsym, dtb); return; } version (none) { printf("VarExp.toDt(), kind = %s\n", e.var.kind()); } e.error("non-constant expression %s", e.toChars()); dtb.nzeros(1); } override void visit(FuncExp e) { //printf("FuncExp.toDt() %d\n", e.op); if (e.fd.tok == TOKreserved && e.type.ty == Tpointer) { // change to non-nested e.fd.tok = TOKfunction; e.fd.vthis = null; } Symbol *s = toSymbol(e.fd); if (e.fd.isNested()) { e.error("non-constant nested delegate literal expression %s", e.toChars()); return; } toObjFile(e.fd, false); dtb.xoff(s, 0); } override void visit(VectorExp e) { //printf("VectorExp.toDt() %s\n", e.toChars()); for (size_t i = 0; i < e.dim; i++) { Expression elem; if (e.e1.op == TOKarrayliteral) { ArrayLiteralExp ale = cast(ArrayLiteralExp)e.e1; elem = ale.getElement(i); } else elem = e.e1; Expression_toDt(elem, dtb); } } override void visit(ClassReferenceExp e) { InterfaceDeclaration to = (cast(TypeClass)e.type).sym.isInterfaceDeclaration(); if (to) //Static typeof this literal is an interface. We must add offset to symbol { ClassDeclaration from = e.originalClass(); int off = 0; int isbase = to.isBaseOf(from, &off); assert(isbase); ClassReferenceExp_toDt(e, dtb, off); } else ClassReferenceExp_toDt(e, dtb, 0); } override void visit(TypeidExp e) { if (Type t = isType(e.obj)) { genTypeInfo(t, null); Symbol *s = toSymbol(t.vtinfo); dtb.xoff(s, 0); return; } assert(0); } } scope v = new ExpToDt(dtb); e.accept(v); } /* ================================================================= */ // Generate the data for the static initializer. extern (C++) void ClassDeclaration_toDt(ClassDeclaration cd, DtBuilder dtb) { //printf("ClassDeclaration.toDt(this = '%s')\n", cd.toChars()); membersToDt(cd, dtb, null, 0, cd); //printf("-ClassDeclaration.toDt(this = '%s')\n", cd.toChars()); } extern (C++) void StructDeclaration_toDt(StructDeclaration sd, DtBuilder dtb) { //printf("+StructDeclaration.toDt(), this='%s'\n", sd.toChars()); membersToDt(sd, dtb, null, 0, null); //printf("-StructDeclaration.toDt(), this='%s'\n", sd.toChars()); } /****************************** * Generate data for instance of __cpp_type_info_ptr that refers * to the C++ RTTI symbol for cd. * Params: * cd = C++ class */ extern (C++) void cpp_type_info_ptr_toDt(ClassDeclaration cd, DtBuilder dtb) { //printf("cpp_type_info_ptr_toDt(this = '%s')\n", cd.toChars()); assert(cd.isCPPclass()); // Put in first two members, the vtbl[] and the monitor dtb.xoff(toVtblSymbol(ClassDeclaration.cpp_type_info_ptr), 0); dtb.size(0); // monitor // Create symbol for C++ type info Symbol *s = toSymbolCppTypeInfo(cd); // Put in address of cd's C++ type info dtb.xoff(s, 0); //printf("-cpp_type_info_ptr_toDt(this = '%s')\n", cd.toChars()); } /**************************************************** * Put out initializers of ad.fields[]. * Although this is consistent with the elements[] version, we * have to use this optimized version to reduce memory footprint. * Params: * ad = aggregate with members * pdt = tail of initializer list to start appending initialized data to * elements = values to use as initializers, null means use default initializers * firstFieldIndex = starting place is elements[firstFieldIndex] * concreteType = structs: null, classes: most derived class * ppb = pointer that moves through BaseClass[] from most derived class * Returns: * updated tail of dt_t list */ private void membersToDt(AggregateDeclaration ad, DtBuilder dtb, Expressions* elements, size_t firstFieldIndex, ClassDeclaration concreteType, BaseClass*** ppb = null) { //printf("membersToDt(ad = '%s', concrete = '%s', ppb = %p)\n", ad.toChars(), concreteType ? concreteType.toChars() : "null", ppb); ClassDeclaration cd = ad.isClassDeclaration(); version (none) { printf(" interfaces.length = %d\n", cast(int)cd.interfaces.length); for (size_t i = 0; i < cd.vtblInterfaces.dim; i++) { BaseClass* b = (*cd.vtblInterfaces)[i]; printf(" vbtblInterfaces[%d] b = %p, b.sym = %s\n", cast(int)i, b, b.sym.toChars()); } } /* Order: * { base class } or { __vptr, __monitor } * interfaces * fields */ uint offset; if (cd) { if (ClassDeclaration cdb = cd.baseClass) { size_t index = 0; for (ClassDeclaration c = cdb.baseClass; c; c = c.baseClass) index += c.fields.dim; membersToDt(cdb, dtb, elements, index, concreteType); offset = cdb.structsize; } else if (InterfaceDeclaration id = cd.isInterfaceDeclaration()) { offset = (**ppb).offset; if (id.vtblInterfaces.dim == 0) { BaseClass* b = **ppb; //printf(" Interface %s, b = %p\n", id.toChars(), b); ++(*ppb); for (ClassDeclaration cd2 = concreteType; 1; cd2 = cd2.baseClass) { assert(cd2); uint csymoffset = baseVtblOffset(cd2, b); //printf(" cd2 %s csymoffset = x%x\n", cd2 ? cd2.toChars() : "null", csymoffset); if (csymoffset != ~0) { dtb.xoff(toSymbol(cd2), csymoffset); offset += Target.ptrsize; break; } } } } else { dtb.xoff(toVtblSymbol(concreteType), 0); // __vptr offset = Target.ptrsize; if (!cd.cpp) { dtb.size(0); // __monitor offset += Target.ptrsize; } } // Interface vptr initializations toSymbol(cd); // define csym BaseClass** pb; if (!ppb) { pb = cd.vtblInterfaces.data; ppb = &pb; } for (size_t i = 0; i < cd.interfaces.length; ++i) { BaseClass* b = **ppb; if (offset < b.offset) dtb.nzeros(b.offset - offset); membersToDt(cd.interfaces.ptr[i].sym, dtb, elements, firstFieldIndex, concreteType, ppb); //printf("b.offset = %d, b.sym.structsize = %d\n", (int)b.offset, (int)b.sym.structsize); offset = b.offset + b.sym.structsize; } } else offset = 0; assert(!elements || firstFieldIndex <= elements.dim && firstFieldIndex + ad.fields.dim <= elements.dim); for (size_t i = 0; i < ad.fields.dim; i++) { if (elements && !(*elements)[firstFieldIndex + i]) continue; else if (ad.fields[i]._init && ad.fields[i]._init.isVoidInitializer()) continue; VarDeclaration vd; size_t k; for (size_t j = i; j < ad.fields.dim; j++) { VarDeclaration v2 = ad.fields[j]; if (v2.offset < offset) continue; if (elements && !(*elements)[firstFieldIndex + j]) continue; if (v2._init && v2._init.isVoidInitializer()) continue; // find the nearest field if (!vd || v2.offset < vd.offset) { vd = v2; k = j; assert(vd == v2 || !vd.isOverlappedWith(v2)); } } if (!vd) continue; assert(offset <= vd.offset); if (offset < vd.offset) dtb.nzeros(vd.offset - offset); scope dtbx = new DtBuilder(); if (elements) { Expression e = (*elements)[firstFieldIndex + k]; Type tb = vd.type.toBasetype(); if (tb.ty == Tsarray) toDtElem((cast(TypeSArray)tb), dtbx, e); else Expression_toDt(e, dtbx); // convert e to an initializer dt } else { if (Initializer init = vd._init) { //printf("\t\t%s has initializer %s\n", vd.toChars(), init.toChars()); if (init.isVoidInitializer()) continue; assert(vd.semanticRun >= PASSsemantic2done); ExpInitializer ei = init.isExpInitializer(); Type tb = vd.type.toBasetype(); if (ei && tb.ty == Tsarray) toDtElem((cast(TypeSArray)tb), dtbx, ei.exp); else Initializer_toDt(init, dtbx); } else if (offset <= vd.offset) { //printf("\t\tdefault initializer\n"); Type_toDt(vd.type, dtbx); } if (dtbx.isZeroLength()) continue; } dtb.cat(dtbx); offset = cast(uint)(vd.offset + vd.type.size()); } if (offset < ad.structsize) dtb.nzeros(ad.structsize - offset); } /* ================================================================= */ extern (C++) void Type_toDt(Type t, DtBuilder dtb) { extern (C++) class TypeToDt : Visitor { public: DtBuilder dtb; this(DtBuilder dtb) { this.dtb = dtb; } alias visit = super.visit; override void visit(Type t) { //printf("Type.toDt()\n"); Expression e = t.defaultInit(); Expression_toDt(e, dtb); } override void visit(TypeVector t) { assert(t.basetype.ty == Tsarray); toDtElem(cast(TypeSArray)t.basetype, dtb, null); } override void visit(TypeSArray t) { toDtElem(t, dtb, null); } override void visit(TypeStruct t) { StructDeclaration_toDt(t.sym, dtb); } } scope v = new TypeToDt(dtb); t.accept(v); } private void toDtElem(TypeSArray tsa, DtBuilder dtb, Expression e) { //printf("TypeSArray.toDtElem() tsa = %s\n", tsa.toChars()); if (tsa.size(Loc()) == 0) { dtb.nzeros(0); } else { size_t len = cast(size_t)tsa.dim.toInteger(); assert(len); Type tnext = tsa.next; Type tbn = tnext.toBasetype(); while (tbn.ty == Tsarray && (!e || !tbn.equivalent(e.type.nextOf()))) { len *= (cast(TypeSArray)tbn).dim.toInteger(); tnext = tbn.nextOf(); tbn = tnext.toBasetype(); } if (!e) // if not already supplied e = tsa.defaultInit(Loc()); // use default initializer if (!e.type.implicitConvTo(tnext)) // Bugzilla 14996 { // Bugzilla 1914, 3198 if (e.op == TOKstring) len /= (cast(StringExp)e).numberOfCodeUnits(); else if (e.op == TOKarrayliteral) len /= (cast(ArrayLiteralExp)e).elements.dim; } scope dtb2 = new DtBuilder(); Expression_toDt(e, dtb2); dt_t* dt2 = dtb2.finish(); dtb.repeat(dt2, len); } } /*****************************************************/ /* CTFE stuff */ /*****************************************************/ private void ClassReferenceExp_toDt(ClassReferenceExp e, DtBuilder dtb, int off) { //printf("ClassReferenceExp.toDt() %d\n", e.op); dtb.xoff(toSymbol(e), off); } extern (C++) void ClassReferenceExp_toInstanceDt(ClassReferenceExp ce, DtBuilder dtb) { //printf("ClassReferenceExp.toInstanceDt() %d\n", ce.op); ClassDeclaration cd = ce.originalClass(); // Put in the rest size_t firstFieldIndex = 0; for (ClassDeclaration c = cd.baseClass; c; c = c.baseClass) firstFieldIndex += c.fields.dim; membersToDt(cd, dtb, ce.value.elements, firstFieldIndex, cd); } /**************************************************** */ extern (C++) class TypeInfoDtVisitor : Visitor { DtBuilder dtb; /* * Used in TypeInfo*.toDt to verify the runtime TypeInfo sizes */ static void verifyStructSize(ClassDeclaration typeclass, size_t expected) { if (typeclass.structsize != expected) { debug { printf("expected = x%x, %s.structsize = x%x\n", cast(uint)expected, typeclass.toChars(), cast(uint)typeclass.structsize); } error(typeclass.loc, "mismatch between compiler and object.d or object.di found. Check installation and import paths with -v compiler switch."); fatal(); } } this(DtBuilder dtb) { this.dtb = dtb; } alias visit = super.visit; override void visit(TypeInfoDeclaration d) { //printf("TypeInfoDeclaration.toDt() %s\n", toChars()); verifyStructSize(Type.dtypeinfo, 2 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.dtypeinfo), 0); // vtbl for TypeInfo dtb.size(0); // monitor } override void visit(TypeInfoConstDeclaration d) { //printf("TypeInfoConstDeclaration.toDt() %s\n", toChars()); verifyStructSize(Type.typeinfoconst, 3 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfoconst), 0); // vtbl for TypeInfo_Const dtb.size(0); // monitor Type tm = d.tinfo.mutableOf(); tm = tm.merge(); genTypeInfo(tm, null); dtb.xoff(toSymbol(tm.vtinfo), 0); } override void visit(TypeInfoInvariantDeclaration d) { //printf("TypeInfoInvariantDeclaration.toDt() %s\n", toChars()); verifyStructSize(Type.typeinfoinvariant, 3 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfoinvariant), 0); // vtbl for TypeInfo_Invariant dtb.size(0); // monitor Type tm = d.tinfo.mutableOf(); tm = tm.merge(); genTypeInfo(tm, null); dtb.xoff(toSymbol(tm.vtinfo), 0); } override void visit(TypeInfoSharedDeclaration d) { //printf("TypeInfoSharedDeclaration.toDt() %s\n", toChars()); verifyStructSize(Type.typeinfoshared, 3 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfoshared), 0); // vtbl for TypeInfo_Shared dtb.size(0); // monitor Type tm = d.tinfo.unSharedOf(); tm = tm.merge(); genTypeInfo(tm, null); dtb.xoff(toSymbol(tm.vtinfo), 0); } override void visit(TypeInfoWildDeclaration d) { //printf("TypeInfoWildDeclaration.toDt() %s\n", toChars()); verifyStructSize(Type.typeinfowild, 3 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfowild), 0); // vtbl for TypeInfo_Wild dtb.size(0); // monitor Type tm = d.tinfo.mutableOf(); tm = tm.merge(); genTypeInfo(tm, null); dtb.xoff(toSymbol(tm.vtinfo), 0); } override void visit(TypeInfoEnumDeclaration d) { //printf("TypeInfoEnumDeclaration.toDt()\n"); verifyStructSize(Type.typeinfoenum, 7 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfoenum), 0); // vtbl for TypeInfo_Enum dtb.size(0); // monitor assert(d.tinfo.ty == Tenum); TypeEnum tc = cast(TypeEnum)d.tinfo; EnumDeclaration sd = tc.sym; /* Put out: * TypeInfo base; * string name; * void[] m_init; */ // TypeInfo for enum members if (sd.memtype) { genTypeInfo(sd.memtype, null); dtb.xoff(toSymbol(sd.memtype.vtinfo), 0); } else dtb.size(0); // string name; const(char)* name = sd.toPrettyChars(); size_t namelen = strlen(name); dtb.size(namelen); dtb.xoff(d.csym, Type.typeinfoenum.structsize); // void[] init; if (!sd.members || d.tinfo.isZeroInit()) { // 0 initializer, or the same as the base type dtb.size(0); // init.length dtb.size(0); // init.ptr } else { dtb.size(sd.type.size()); // init.length dtb.xoff(toInitializer(sd), 0); // init.ptr } // Put out name[] immediately following TypeInfo_Enum dtb.nbytes(cast(uint)(namelen + 1), name); } override void visit(TypeInfoPointerDeclaration d) { //printf("TypeInfoPointerDeclaration.toDt()\n"); verifyStructSize(Type.typeinfopointer, 3 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfopointer), 0); // vtbl for TypeInfo_Pointer dtb.size(0); // monitor assert(d.tinfo.ty == Tpointer); TypePointer tc = cast(TypePointer)d.tinfo; genTypeInfo(tc.next, null); dtb.xoff(toSymbol(tc.next.vtinfo), 0); // TypeInfo for type being pointed to } override void visit(TypeInfoArrayDeclaration d) { //printf("TypeInfoArrayDeclaration.toDt()\n"); verifyStructSize(Type.typeinfoarray, 3 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfoarray), 0); // vtbl for TypeInfo_Array dtb.size(0); // monitor assert(d.tinfo.ty == Tarray); TypeDArray tc = cast(TypeDArray)d.tinfo; genTypeInfo(tc.next, null); dtb.xoff(toSymbol(tc.next.vtinfo), 0); // TypeInfo for array of type } override void visit(TypeInfoStaticArrayDeclaration d) { //printf("TypeInfoStaticArrayDeclaration.toDt()\n"); verifyStructSize(Type.typeinfostaticarray, 4 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfostaticarray), 0); // vtbl for TypeInfo_StaticArray dtb.size(0); // monitor assert(d.tinfo.ty == Tsarray); TypeSArray tc = cast(TypeSArray)d.tinfo; genTypeInfo(tc.next, null); dtb.xoff(toSymbol(tc.next.vtinfo), 0); // TypeInfo for array of type dtb.size(tc.dim.toInteger()); // length } override void visit(TypeInfoVectorDeclaration d) { //printf("TypeInfoVectorDeclaration.toDt()\n"); verifyStructSize(Type.typeinfovector, 3 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfovector), 0); // vtbl for TypeInfo_Vector dtb.size(0); // monitor assert(d.tinfo.ty == Tvector); TypeVector tc = cast(TypeVector)d.tinfo; genTypeInfo(tc.basetype, null); dtb.xoff(toSymbol(tc.basetype.vtinfo), 0); // TypeInfo for equivalent static array } override void visit(TypeInfoAssociativeArrayDeclaration d) { //printf("TypeInfoAssociativeArrayDeclaration.toDt()\n"); verifyStructSize(Type.typeinfoassociativearray, 4 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfoassociativearray), 0); // vtbl for TypeInfo_AssociativeArray dtb.size(0); // monitor assert(d.tinfo.ty == Taarray); TypeAArray tc = cast(TypeAArray)d.tinfo; genTypeInfo(tc.next, null); dtb.xoff(toSymbol(tc.next.vtinfo), 0); // TypeInfo for array of type genTypeInfo(tc.index, null); dtb.xoff(toSymbol(tc.index.vtinfo), 0); // TypeInfo for array of type } override void visit(TypeInfoFunctionDeclaration d) { //printf("TypeInfoFunctionDeclaration.toDt()\n"); verifyStructSize(Type.typeinfofunction, 5 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfofunction), 0); // vtbl for TypeInfo_Function dtb.size(0); // monitor assert(d.tinfo.ty == Tfunction); TypeFunction tc = cast(TypeFunction)d.tinfo; genTypeInfo(tc.next, null); dtb.xoff(toSymbol(tc.next.vtinfo), 0); // TypeInfo for function return value const(char)* name = d.tinfo.deco; assert(name); size_t namelen = strlen(name); dtb.size(namelen); dtb.xoff(d.csym, Type.typeinfofunction.structsize); // Put out name[] immediately following TypeInfo_Function dtb.nbytes(cast(uint)(namelen + 1), name); } override void visit(TypeInfoDelegateDeclaration d) { //printf("TypeInfoDelegateDeclaration.toDt()\n"); verifyStructSize(Type.typeinfodelegate, 5 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfodelegate), 0); // vtbl for TypeInfo_Delegate dtb.size(0); // monitor assert(d.tinfo.ty == Tdelegate); TypeDelegate tc = cast(TypeDelegate)d.tinfo; genTypeInfo(tc.next.nextOf(), null); dtb.xoff(toSymbol(tc.next.nextOf().vtinfo), 0); // TypeInfo for delegate return value const(char)* name = d.tinfo.deco; assert(name); size_t namelen = strlen(name); dtb.size(namelen); dtb.xoff(d.csym, Type.typeinfodelegate.structsize); // Put out name[] immediately following TypeInfo_Delegate dtb.nbytes(cast(uint)(namelen + 1), name); } override void visit(TypeInfoStructDeclaration d) { //printf("TypeInfoStructDeclaration.toDt() '%s'\n", d.toChars()); if (global.params.is64bit) verifyStructSize(Type.typeinfostruct, 17 * Target.ptrsize); else verifyStructSize(Type.typeinfostruct, 15 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfostruct), 0); // vtbl for TypeInfo_Struct dtb.size(0); // monitor assert(d.tinfo.ty == Tstruct); TypeStruct tc = cast(TypeStruct)d.tinfo; StructDeclaration sd = tc.sym; if (!sd.members) return; if (TemplateInstance ti = sd.isInstantiated()) { if (!ti.needsCodegen()) { assert(ti.minst || sd.requestTypeInfo); /* ti.toObjFile() won't get called. So, store these * member functions into object file in here. */ if (sd.xeq && sd.xeq != StructDeclaration.xerreq) toObjFile(sd.xeq, global.params.multiobj); if (sd.xcmp && sd.xcmp != StructDeclaration.xerrcmp) toObjFile(sd.xcmp, global.params.multiobj); if (FuncDeclaration ftostr = search_toString(sd)) toObjFile(ftostr, global.params.multiobj); if (sd.xhash) toObjFile(sd.xhash, global.params.multiobj); if (sd.postblit) toObjFile(sd.postblit, global.params.multiobj); if (sd.dtor) toObjFile(sd.dtor, global.params.multiobj); } } /* Put out: * char[] name; * void[] init; * hash_t function(in void*) xtoHash; * bool function(in void*, in void*) xopEquals; * int function(in void*, in void*) xopCmp; * string function(const(void)*) xtoString; * StructFlags m_flags; * //xgetMembers; * xdtor; * xpostblit; * uint m_align; * version (X86_64) * TypeInfo m_arg1; * TypeInfo m_arg2; * xgetRTInfo */ const(char)* name = sd.toPrettyChars(); size_t namelen = strlen(name); dtb.size(namelen); dtb.xoff(d.csym, Type.typeinfostruct.structsize); // void[] init; dtb.size(sd.structsize); // init.length if (sd.zeroInit) dtb.size(0); // null for 0 initialization else dtb.xoff(toInitializer(sd), 0); // init.ptr if (FuncDeclaration fd = sd.xhash) { dtb.xoff(toSymbol(fd), 0); TypeFunction tf = cast(TypeFunction)fd.type; assert(tf.ty == Tfunction); /* I'm a little unsure this is the right way to do it. Perhaps a better * way would to automatically add these attributes to any struct member * function with the name "toHash". * So I'm leaving this here as an experiment for the moment. */ if (!tf.isnothrow || tf.trust == TRUSTsystem /*|| tf.purity == PUREimpure*/) warning(fd.loc, "toHash() must be declared as extern (D) size_t toHash() const nothrow @safe, not %s", tf.toChars()); } else dtb.size(0); if (sd.xeq) dtb.xoff(toSymbol(sd.xeq), 0); else dtb.size(0); if (sd.xcmp) dtb.xoff(toSymbol(sd.xcmp), 0); else dtb.size(0); if (FuncDeclaration fd = search_toString(sd)) { dtb.xoff(toSymbol(fd), 0); } else dtb.size(0); // StructFlags m_flags; StructFlags.Type m_flags = 0; if (tc.hasPointers()) m_flags |= StructFlags.hasPointers; dtb.size(m_flags); version (none) { // xgetMembers FuncDeclaration sgetmembers = sd.findGetMembers(); if (sgetmembers) dtb.xoff(toSymbol(sgetmembers), 0); else dtb.size(0); // xgetMembers } // xdtor FuncDeclaration sdtor = sd.dtor; if (sdtor) dtb.xoff(toSymbol(sdtor), 0); else dtb.size(0); // xdtor // xpostblit FuncDeclaration spostblit = sd.postblit; if (spostblit && !(spostblit.storage_class & STCdisable)) dtb.xoff(toSymbol(spostblit), 0); else dtb.size(0); // xpostblit // uint m_align; dtb.size(tc.alignsize()); if (global.params.is64bit) { Type t = sd.arg1type; for (int i = 0; i < 2; i++) { // m_argi if (t) { genTypeInfo(t, null); dtb.xoff(toSymbol(t.vtinfo), 0); } else dtb.size(0); t = sd.arg2type; } } // xgetRTInfo if (sd.getRTInfo) { Expression_toDt(sd.getRTInfo, dtb); } else if (m_flags & StructFlags.hasPointers) dtb.size(1); else dtb.size(0); // Put out name[] immediately following TypeInfo_Struct dtb.nbytes(cast(uint)(namelen + 1), name); } override void visit(TypeInfoClassDeclaration d) { //printf("TypeInfoClassDeclaration.toDt() %s\n", tinfo.toChars()); assert(0); } override void visit(TypeInfoInterfaceDeclaration d) { //printf("TypeInfoInterfaceDeclaration.toDt() %s\n", tinfo.toChars()); verifyStructSize(Type.typeinfointerface, 3 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfointerface), 0); // vtbl for TypeInfoInterface dtb.size(0); // monitor assert(d.tinfo.ty == Tclass); TypeClass tc = cast(TypeClass)d.tinfo; Symbol *s; if (!tc.sym.vclassinfo) tc.sym.vclassinfo = TypeInfoClassDeclaration.create(tc); s = toSymbol(tc.sym.vclassinfo); dtb.xoff(s, 0); // ClassInfo for tinfo } override void visit(TypeInfoTupleDeclaration d) { //printf("TypeInfoTupleDeclaration.toDt() %s\n", tinfo.toChars()); verifyStructSize(Type.typeinfotypelist, 4 * Target.ptrsize); dtb.xoff(toVtblSymbol(Type.typeinfotypelist), 0); // vtbl for TypeInfoInterface dtb.size(0); // monitor assert(d.tinfo.ty == Ttuple); TypeTuple tu = cast(TypeTuple)d.tinfo; size_t dim = tu.arguments.dim; dtb.size(dim); // elements.length scope dtbargs = new DtBuilder(); for (size_t i = 0; i < dim; i++) { Parameter arg = (*tu.arguments)[i]; genTypeInfo(arg.type, null); Symbol* s = toSymbol(arg.type.vtinfo); dtbargs.xoff(s, 0); } dtb.dtoff(dtbargs.finish(), 0); // elements.ptr } } extern (C++) void TypeInfo_toDt(DtBuilder dtb, TypeInfoDeclaration d) { scope v = new TypeInfoDtVisitor(dtb); d.accept(v); }
D
module android.java.java.security.Certificate; public import android.java.java.security.Certificate_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!Certificate; import import0 = android.java.java.security.Principal; import import4 = android.java.java.lang.Class; import import1 = android.java.java.security.PublicKey;
D
/Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Deferred.o : /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Reactive.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Errors.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/AtomicInt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Event.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxAtomic.build/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/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Deferred~partial.swiftmodule : /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Reactive.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Errors.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/AtomicInt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Event.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxAtomic.build/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/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Deferred~partial.swiftdoc : /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Deprecated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Cancelable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObserverType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Reactive.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/RecursiveLock.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Errors.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/AtomicInt.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Event.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/First.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Rx.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/Platform/Platform.Linux.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxAtomic/RxAtomic-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/Pods/RxAtomic/RxAtomic/include/RxAtomic.h /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/bill/Documents/ios_projects/Swift/ReferenceApps/RxDataSource_CollectionViewTest/build/Pods.build/Debug-iphonesimulator/RxAtomic.build/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
/******************************************************************************* * Copyright (c) 2000, 2003 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: * Frank Benoit <benoit@tionex.de> *******************************************************************************/ module org.eclipse.swt.internal.image.JPEGEndOfImage; import org.eclipse.swt.internal.image.JPEGFixedSizeSegment; import org.eclipse.swt.internal.image.JPEGFileFormat; import org.eclipse.swt.internal.image.LEDataInputStream; final class JPEGEndOfImage : JPEGFixedSizeSegment { public this() { super(); } public this(byte[] reference) { super(reference); } public override int signature() { return JPEGFileFormat.EOI; } public override int fixedSize() { return 2; } }
D
/******************************************************************************* copyright: Copyright (c) 2004 Kris Bell. Все права защищены license: BSD: AFL 3.0: version: Mar 2004: Initial release version: Feb 2007: Сейчас using mutating пути author: Kris, Chris Sauls (Win95 файл support) *******************************************************************************/ module io.FileSystem; private import sys.Common; private import io.FilePath; private import exception, stdrus; private import io.Path : стандарт, исконный; /******************************************************************************* *******************************************************************************/ version (Win32) { private import Текст = text.Util; private extern (Windows) DWORD GetLogicalDriveStringsA (DWORD, LPSTR); private import stringz : изТкст16н, изТкст0; enum { FILE_DEVICE_DISK = 7, IOCTL_DISK_BASE = FILE_DEVICE_DISK, METHOD_BUFFERED = 0, FILE_READ_ACCESS = 1 } бцел CTL_CODE(бцел t, бцел f, бцел m, бцел a) { return (t << 16) | (a << 14) | (f << 2) | m; } const IOCTL_DISK_GET_LENGTH_INFO = CTL_CODE(IOCTL_DISK_BASE,0x17,METHOD_BUFFERED,FILE_READ_ACCESS); } version (Posix) { private import cidrus; private import rt.core.stdc.posix.unistd, rt.core.stdc.posix.sys.statvfs; private import io.device.File; private import Целое = text.convert.Integer; } /******************************************************************************* Models an OS-specific файл-system. Included here are methods в_ manИПulate the current working дир, and в_ преобразуй a путь в_ its абсолютный form. *******************************************************************************/ struct ФСистема { /*********************************************************************** Convert the предоставленный путь в_ an абсолютный путь, using the current working дир where префикс is not предоставленный. If the given путь is already an абсолютный путь, return it intact. Returns the предоставленный путь, adjusted as necessary deprecated: see ФПуть.абсолютный ***********************************************************************/ static ФПуть вАбсолют (ФПуть мишень, ткст префикс=пусто) { if (! мишень.абс_ли) { if (префикс is пусто) префикс = дайПапку; мишень.приставь (мишень.псеп_в_конце(префикс)); } return мишень; } /*********************************************************************** Convert the предоставленный путь в_ an абсолютный путь, using the current working дир where префикс is not предоставленный. If the given путь is already an абсолютный путь, return it intact. Returns the предоставленный путь, adjusted as necessary deprecated: see ФПуть.абсолютный ***********************************************************************/ static ткст вАбсолют (ткст путь, ткст префикс=пусто) { scope мишень = new ФПуть (путь); return вАбсолют (мишень, префикс).вТкст; } /*********************************************************************** Compare в_ пути for абсолютный equality. The given префикс is prepended в_ the пути where they are not already in абсолютный форматируй (старт with a '/'). Where префикс is not предоставленный, the current working дир will be used Returns да if the пути are equivalent, нет otherwise deprecated: see ФПуть.равно ***********************************************************************/ static бул равно (ткст path1, ткст path2, ткст префикс=пусто) { scope p1 = new ФПуть (path1); scope p2 = new ФПуть (path2); return (вАбсолют(p1, префикс) == вАбсолют(p2, префикс)) is 0; } /*********************************************************************** ***********************************************************************/ private static проц исключение (ткст сооб) { throw new ВВИскл (сооб); } /*********************************************************************** Windows specifics ***********************************************************************/ version (Windows) { /*************************************************************** private helpers ***************************************************************/ version (Win32SansUnicode) { private static проц путьВиндовс(ткст путь, ref ткст результат) { результат[0..путь.length] = путь; результат[путь.length] = 0; } } else { private static проц путьВиндовс(ткст путь, ref шим[] результат) { assert (путь.length < результат.length); auto i = MultiByteToWideChar (CP_UTF8, 0, cast(PCHAR)путь.ptr, путь.length, результат.ptr, результат.length); результат[i] = 0; } } /*************************************************************** Набор the current working дир deprecated: see Среда.текрабпап() ***************************************************************/ static проц установиПапку (ткст путь) { version (Win32SansUnicode) { сим[MAX_PATH+1] врем =void; врем[0..путь.length] = путь; врем[путь.length] = 0; if (! SetCurrentDirectoryA (врем.ptr)) исключение ("Не удалось установить текущую папку"); } else { // преобразуй преобр_в вывод буфер шим[MAX_PATH+1] врем =void; assert (путь.length < врем.length); auto i = MultiByteToWideChar (CP_UTF8, 0, cast(PCHAR)путь.ptr, путь.length, врем.ptr, врем.length); врем[i] = 0; if (! SetCurrentDirectoryW (врем.ptr)) исключение ("Не удалось установить текущую папку"); } } /*************************************************************** Return the current working дир deprecated: see Среда.текрабпап() ***************************************************************/ static ткст дайПапку () { ткст путь; version (Win32SansUnicode) { цел длин = GetCurrentDirectoryA (0, пусто); auto пап = new сим [длин]; GetCurrentDirectoryA (длин, пап.ptr); if (длин) { пап[длин-1] = '/'; путь = стандарт (пап); } else исключение ("Не удалось получить текущую папку"); } else { шим[MAX_PATH+2] врем =void; auto длин = GetCurrentDirectoryW (0, пусто); assert (длин < врем.length); auto пап = new сим [длин * 3]; GetCurrentDirectoryW (длин, врем.ptr); auto i = WideCharToMultiByte (CP_UTF8, 0, врем.ptr, длин, cast(PCHAR)пап.ptr, пап.length, пусто, пусто); if (длин && i) { путь = стандарт (пап[0..i]); путь[$-1] = '/'; } else исключение ("Не удалось получить текущую папку"); } return путь; } /*************************************************************** List the установи of корень devices (C:, D: etc) ***************************************************************/ static ткст[] корни () { цел длин; ткст ткт; ткст[] корни; // acquire drive strings длин = GetLogicalDriveStringsA (0, пусто); if (длин) { ткт = new сим [длин]; GetLogicalDriveStringsA (длин, cast(PCHAR)ткт.ptr); // разбей корни преобр_в seperate strings корни = Текст.разграничь (ткт [0 .. $-1], "\0"); } return корни; } private enum { volumePathBufferLen = sys.WinConsts.МАКС_ПУТЬ + 6 } private static TCHAR[] дайПутьТома(ткст папка, WCHAR[] volPath_, бул бэкслэшхвост) in { assert (volPath_.length > 5); } body { version (Win32SansUnicode) { alias GetVolumePathNameA GetVolumePathName; alias изТкст0 fromStringzT; } else { alias GetVolumePathNameW GetVolumePathName; alias изТкст16н fromStringzT; } // преобразовать в (w)stringz WCHAR[MAX_PATH+2] tmp_ =void; WCHAR[] врем = tmp_; путьВиндовс( папка, врем); // we'd like в_ открой a volume volPath_[0..4] = `\\.\`; if (!GetVolumePathName(врем.ptr, volPath_.ptr+4, volPath_.length-4)) исключение ("Краш функции GetVolumePathName"); WCHAR[] volPath; // the путь could have the volume/network префикс already if (volPath_[4..6] != `\\`) { volPath = fromStringzT(volPath_.ptr); } else { volPath = fromStringzT(volPath_[4..$].ptr); } // GetVolumePathName returns a путь with a trailing backslash // some sys.Common functions want that backslash, some don't if ('\\' == volPath[$-1] && !бэкслэшхвост) { volPath[$-1] = '\0'; } return cast(шткст)вЮ8(volPath); } /*************************************************************** Request как much free пространство in байты is available on the disk/mountpoint where папка resопрes. If a quota предел есть_ли for this area, that will be taken преобр_в account unless superuser is установи в_ да. If a пользователь есть exceeded the quota, a негатив число can be returned. Note that the difference between total available пространство and free пространство will not equal the combined размер of the contents on the файл system, since the numbers for the functions here are calculated из_ the used blocks, включая those spent on metadata and файл nodes. If actual used пространство is wanted one should use the statistics functionality of io.vfs. See also: всегоМеста() Since: 0.99.9 ***************************************************************/ static дол свободноеМесто(ткст папка, бул superuser = нет) { scope fp = new ФПуть(папка); const бул wantTrailingBackslash = да; WCHAR[volumePathBufferLen] volPathBuf; auto volPath = дайПутьТома(fp.исконный.вТкст, volPathBuf, wantTrailingBackslash); version (Win32SansUnicode) { alias GetDiskFreeSpaceExA GetDiskFreeSpaceEx; } else { alias GetDiskFreeSpaceExW GetDiskFreeSpaceEx; } ULARGE_INTEGER free, totalFree; GetDiskFreeSpaceEx( volPath.ptr, &free, пусто, &totalFree); return cast(дол) (superuser ? totalFree : free).QuadPart; } static бдол всегоМеста(ткст папка, бул superuser = нет) { version (Win32SansUnicode) { alias GetDiskFreeSpaceExA GetDiskFreeSpaceEx; alias CreateFileA CreateFile; } else { alias GetDiskFreeSpaceExW GetDiskFreeSpaceEx; alias CreateFileW CreateFile; } scope fp = new ФПуть(папка); бул wantTrailingBackslash = (нет == superuser); TCHAR[volumePathBufferLen] volPathBuf; auto volPath = дайПутьТома(fp.исконный.вТкст, volPathBuf, wantTrailingBackslash); if (superuser) { struct GET_LENGTH_INFORMATION { LARGE_INTEGER Length; } GET_LENGTH_INFORMATION lenInfo; DWORD numBytes; OVERLAPPED overlap; HANDLE h = CreateFile( volPath.ptr, GENERIC_READ, FILE_SHARE_READ | FILE_SHARE_WRITE, пусто, OPEN_EXISTING, 0, пусто ); if (h == INVALID_HANDLE_VALUE) { исключение ("Не удалось открыть том для чтения"); } if (0 == DeviceIoControl( h, IOCTL_DISK_GET_LENGTH_INFO, пусто, 0, cast(проц*)&lenInfo, lenInfo.sizeof, &numBytes, &overlap )) { исключение ("IOCTL_DISK_GET_LENGTH_INFO неудачно:" ~ СисОш.последнСооб); } return cast(бдол)lenInfo.Length.QuadPart; } else { ULARGE_INTEGER total; GetDiskFreeSpaceEx(volPath.ptr, пусто, &total, пусто); return cast(бдол)total.QuadPart; } } } /*********************************************************************** ***********************************************************************/ version (Posix) { static проц установиПапку (ткст путь) { сим[512] врем =void; врем [путь.length] = 0; врем[0..путь.length] = путь; if (rt.core.stdc.posix.unistd.chdir (врем.ptr)) исключение ("Не удалось установить текущую папку"); } static ткст дайПапку () { сим[512] врем =void; сим *s = rt.core.stdc.posix.unistd.getcwd (врем.ptr, врем.length); if (s is пусто) исключение ("Не удалось получить текущую папку"); auto путь = s[0 .. strlen(s)+1].dup; путь[$-1] = '/'; return путь; } static ткст[] корни () { version(darwin) { assert(0); } else { ткст путь = ""; ткст[] список; цел пробелы; auto fc = new Файл("/etc/mtab"); scope (exit) fc.закрой; auto контент = new сим[cast(цел) fc.length]; fc.ввод.читай (контент); for(цел i = 0; i < контент.length; i++) { if(контент[i] == ' ') пробелы++; else if(контент[i] == '\n') { пробелы = 0; список ~= путь; путь = ""; } else if(пробелы == 1) { if(контент[i] == '\\') { путь ~= Целое.разбор(контент[++i..i+3], 8u); i += 2; } else путь ~= контент[i]; } } return список; } } static дол свободноеМесто(ткст папка, бул superuser = нет) { scope fp = new ФПуть(папка); statvfs_t инфо; цел рез = statvfs(fp.исконный.сиТкст.ptr, &инфо); if (рез == -1) исключение ("свободноеМесто->statvfs неудачно:" ~ СисОш.последнСооб); if (superuser) return cast(дол)инфо.f_bfree * cast(дол)инфо.f_bsize; else return cast(дол)инфо.f_bavail * cast(дол)инфо.f_bsize; } static дол всегоМеста(ткст папка, бул superuser = нет) { scope fp = new ФПуть(папка); statvfs_t инфо; цел рез = statvfs(fp.исконный.сиТкст.ptr, &инфо); if (рез == -1) исключение ("всегоМеста->statvfs неудачно:" ~ СисОш.последнСооб); return cast(дол)инфо.f_blocks * cast(дол)инфо.f_frsize; } } } /+ unittest { import io.Stdout; static проц foo (ФПуть путь) { Стдвыв("все: ") (путь).нс; Стдвыв("путь: ") (путь.путь).нс; Стдвыв("файл: ") (путь.файл).нс; Стдвыв("папка: ") (путь.папка).нс; Стдвыв("имя: ") (путь.имя).нс; Стдвыв("расш: ") (путь.расш).нс; Стдвыв("суффикс: ") (путь.суффикс).нс.нс; } проц main() { Стдвыв.форматнс ("Пап: {}", ФСистема.дайПапку); auto путь = new ФПуть ("."); foo (путь); путь.установи (".."); foo (путь); путь.установи ("..."); foo (путь); путь.установи (r"/x/y/.файл"); foo (путь); путь.суффикс = ".foo"; foo (путь); путь.установи ("файл.bar"); путь.абсолютный("c:/префикс"); foo(путь); путь.установи (r"arf/тест"); foo(путь); путь.абсолютный("c:/префикс"); foo(путь); путь.имя = "foo"; foo(путь); путь.суффикс = ".d"; путь.имя = путь.суффикс; foo(путь); } } +/
D
// PERMUTE_ARGS: extern(C) int printf(const char*, ...); class Eh : Exception { this() { super("Eh thrown"); } } /********************************************/ class Foo { static int x; this() { assert(x == 0); x++; printf("Foo.this()\n"); throw new Eh(); assert(0); } ~this() { printf("Foo.~this()\n"); } } void test1() { try { scope Foo f = new Foo(); assert(0); } catch (Eh) { assert(Foo.x == 1); Foo.x++; } finally { assert(Foo.x == 2); Foo.x++; } assert(Foo.x == 3); } /********************************************/ void test2() { int x; { scope (exit) { printf("test1\n"); assert(x == 3); x = 4; } scope (exit) { printf("test2\n"); assert(x == 2); x = 3; } scope (exit) { printf("test3\n"); assert(x == 1); x = 2; } printf("test4\n"); assert(x == 0); x = 1; } assert(x == 4); } /********************************************/ void test3() { int x; { scope (success) { printf("test1\n"); assert(x == 3); x = 4; } scope (success) { printf("test2\n"); assert(x == 2); x = 3; } scope (success) { printf("test3\n"); assert(x == 1); x = 2; } printf("test4\n"); assert(x == 0); x = 1; } assert(x == 4); } /********************************************/ void test4() { int x; try { scope (exit) { printf("test1\n"); assert(x == 3); x = 4; } scope (exit) { printf("test2\n"); assert(x == 2); x = 3; } x = 2; throw new Eh; scope (exit) { printf("test3\n"); assert(x == 1); x = 2; } printf("test4\n"); assert(x == 0); x = 1; } catch (Eh e) { } assert(x == 4); } /********************************************/ void test5() { int x; try { scope (success) { printf("test1\n"); assert(x == 3); x = 4; } scope (success) { printf("test2\n"); assert(x == 2); x = 3; } x = 2; throw new Eh; scope (success) { printf("test3\n"); assert(x == 1); x = 2; } printf("test4\n"); assert(x == 0); x = 1; } catch (Eh e) { } assert(x == 2); } /********************************************/ void test6() { int x; scope (failure) { assert(0); } try { scope (failure) { printf("test1\n"); assert(x == 3); x = 4; } scope (failure) { printf("test2\n"); assert(x == 2); x = 3; } x = 2; throw new Eh; scope (failure) { printf("test3\n"); assert(x == 1); x = 2; } printf("test4\n"); assert(x == 0); x = 1; } catch (Eh e) { } assert(x == 4); } /********************************************/ void test7() { int i; int x; void foo() { scope (success) { assert(x == 1); x = 2; } i = 2; if (i == 2) return; } i = 1; x = 1; foo(); assert(x == 2); } /********************************************/ void test8() { int i; { version (all) { scope (exit) i += 2; } assert(i == 0); i += 1; printf("betty\n"); } assert(i == 3); } /********************************************/ char[] r9; int scp( int n ) { if( n==0 ) return 0; scope(exit) { printf("%d",n); r9 ~= cast(char)(n + '0'); } return scp(n-1); } void test9() { scp(5); assert(r9 == "12345"); } /********************************************/ alias real T; T readMessageBegin() { return 3.0; } T bar10() { return 8.0; } T foo10() { // Send RPC request, etc. readMessageBegin(); scope (exit) readMessageEnd(); T result = bar10(); // Read message off the wire. return result; } void test10() { if (foo10() != 8.0) assert(0); } T readMessageEnd() { static T d; d = 4.0; d = (((((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d))))+(((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d)))))/((((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d))))+(((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d)))))+((((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d))))+(((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d)))))/((((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d))))+(((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d))))))*(((((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d))))+(((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d)))))/((((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d))))+(((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d)))))+((((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d))))+(((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d)))))/((((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d))))+(((d-(2*d))+(d-(2*d)))*((d-(2*d))+(d-(2*d)))))); return 4.0; } /********************************************/ void test7435() { scope(failure) debug printf("error\n"); printf("do something\n"); } /********************************************/ void test7049() @safe { int count = 0; @safe void foo() { scope (failure) { count++; } scope (failure) { count++; } throw new Exception("failed"); } try { foo(); } catch(Exception e) { } assert(count == 2); } /********************************************/ // https://issues.dlang.org/show_bug.cgi?id=16747 void test16747() @safe { scope o = new Object(); } /********************************************/ // https://issues.dlang.org/show_bug.cgi?id=17432 int test17432(scope int delegate() dg) { return dg(); } // stripped down version of std.traits.Parameters template Parameters(alias func) { static if (is(typeof(func) P == function)) alias Parameters = P; else static assert(0, "unsupported"); } alias op = Parameters!(test17432)[0]; enum typeString = op.stringof; static assert(typeString == "int delegate()"); // no scope added? mixin(typeString ~ " dg;"); alias ty = typeof(dg); static assert(op.stringof == ty.stringof); static assert(op.mangleof == ty.mangleof); void test17432_2()(scope void delegate () dg) { dg(); } static assert(typeof(&test17432_2!()).stringof == "void function(scope void delegate() dg) @system"); /********************************************/ byte typify13(T)(byte val) { return val; } alias INT8_C13 = typify13!byte; /********************************************/ template test14(T) { alias test14 = int; } test14!(char[] function(return char[])) x14; /********************************************/ void main() { test1(); test2(); test3(); test4(); test5(); test6(); test7(); test8(); test9(); test10(); test7435(); test7049(); test16747(); printf("Success\n"); }
D
module xcb.icccm; /* * Copyright (C) 2008 Arnaud Fontaine <arnau@debian.org> * Copyright (C) 2007-2008 Vincent Torri <vtorri@univ-evry.fr> * * 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 BE LIABLE FOR ANY * CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF * CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION * WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. * * Except as contained in this notice, the names of the authors or * their institutions shall not be used in advertising or otherwise to * promote the sale, use or other dealings in this Software without * prior written authorization from the authors. */ import xcb.xcb; extern (C): /** * @brief TextProperty reply structure. */ struct xcb_icccm_get_text_property_reply_t { /** Store reply to avoid memory allocation, should normally not be used directly */ xcb_get_property_reply_t* _reply; /** Encoding used */ xcb_atom_t encoding; /** Length of the name field above */ uint name_len; /** Property value */ char* name; /** Format, may be 8, 16 or 32 */ ubyte format; } /** * @brief Deliver a GetProperty request to the X server. * @param c The connection to the X server. * @param window Window X identifier. * @param property Property atom to get. * @return The request cookie. * * Allow to get a window property, in most case you might want to use * above functions to get an ICCCM property for a given window. */ xcb_get_property_cookie_t xcb_icccm_get_text_property(xcb_connection_t* c, xcb_window_t window, xcb_atom_t property); /** * @see xcb_icccm_get_text_property() */ xcb_get_property_cookie_t xcb_icccm_get_text_property_unchecked(xcb_connection_t* c, xcb_window_t window, xcb_atom_t property); /** * @brief Fill given structure with the property value of a window. * @param c The connection to the X server. * @param cookie TextProperty request cookie. * @param prop TextProperty reply which is to be filled. * @param e Error if any. * @return Return 1 on success, 0 otherwise. * * If the function return 0 (failure), the content of prop is unmodified and * therefore the structure must not be wiped. * * The parameter e supplied to this function must be NULL if * xcb_icccm_get_text_property_unchecked() is used. Otherwise, it stores * the error if any. prop structure members should be freed by * xcb_icccm_get_text_property_reply_wipe(). */ ubyte xcb_icccm_get_text_property_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_icccm_get_text_property_reply_t* prop, xcb_generic_error_t** e); /** * @brief Wipe prop structure members previously allocated by * xcb_icccm_get_text_property_reply(). * @param prop prop structure whose members is going to be freed. */ void xcb_icccm_get_text_property_reply_wipe(xcb_icccm_get_text_property_reply_t* prop); /* WM_NAME */ /** * @brief Deliver a SetProperty request to set WM_NAME property value. * @param c The connection to the X server. * @param window Window X identifier. * @param encoding Encoding used for the data passed in the name parameter, the set property will also have this encoding as its type. * @param format Encoding format. * @param name_len Length of name value to set. * @param name Name value to set. */ xcb_void_cookie_t xcb_icccm_set_wm_name_checked(xcb_connection_t* c, xcb_window_t window, xcb_atom_t encoding, ubyte format, uint name_len, const char* name); /** * @see xcb_icccm_set_wm_name_checked() */ xcb_void_cookie_t xcb_icccm_set_wm_name(xcb_connection_t* c, xcb_window_t window, xcb_atom_t encoding, ubyte format, uint name_len, const char* name); /** * @brief Deliver a GetProperty request to the X server for WM_NAME. * @param c The connection to the X server. * @param window Window X identifier. * @return The request cookie. */ xcb_get_property_cookie_t xcb_icccm_get_wm_name(xcb_connection_t* c, xcb_window_t window); /** * @see xcb_icccm_get_wm_name() */ xcb_get_property_cookie_t xcb_icccm_get_wm_name_unchecked(xcb_connection_t* c, xcb_window_t window); /** * @brief Fill given structure with the WM_NAME property of a window. * @param c The connection to the X server. * @param cookie Request cookie. * @param prop WM_NAME property value. * @param e Error if any. * @see xcb_icccm_get_text_property_reply() * @return Return 1 on success, 0 otherwise. */ ubyte xcb_icccm_get_wm_name_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_icccm_get_text_property_reply_t* prop, xcb_generic_error_t** e); /* WM_ICON_NAME */ /** * @brief Deliver a SetProperty request to set WM_ICON_NAME property value. * @param c The connection to the X server. * @param window Window X identifier. * @param encoding Encoding used for the data passed in the name parameter, the set property will also have this encoding as its type. * @param format Encoding format. * @param name_len Length of name value to set. * @param name Name value to set. */ xcb_void_cookie_t xcb_icccm_set_wm_icon_name_checked(xcb_connection_t* c, xcb_window_t window, xcb_atom_t encoding, ubyte format, uint name_len, const char* name); /** * @see xcb_icccm_set_wm_icon_name_checked() */ xcb_void_cookie_t xcb_icccm_set_wm_icon_name(xcb_connection_t* c, xcb_window_t window, xcb_atom_t encoding, ubyte format, uint name_len, const char* name); /** * @brief Send request to get WM_ICON_NAME property of a window. * @param c The connection to the X server. * @param window Window X identifier. * @return The request cookie. */ xcb_get_property_cookie_t xcb_icccm_get_wm_icon_name(xcb_connection_t* c, xcb_window_t window); /** * @see xcb_icccm_get_wm_icon_name() */ xcb_get_property_cookie_t xcb_icccm_get_wm_icon_name_unchecked(xcb_connection_t* c, xcb_window_t window); /** * @brief Fill given structure with the WM_ICON_NAME property of a window. * @param c The connection to the X server. * @param cookie Request cookie. * @param prop WM_ICON_NAME property value. * @param e Error if any. * @see xcb_icccm_get_text_property_reply() * @return Return 1 on success, 0 otherwise. */ ubyte xcb_icccm_get_wm_icon_name_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_icccm_get_text_property_reply_t* prop, xcb_generic_error_t** e); /* WM_COLORMAP_WINDOWS */ /** * @brief Deliver a ChangeProperty request to set WM_COLORMAP_WINDOWS property value. * @param c The connection to the X server. * @param wm_colormap_windows The WM_COLORMAP_WINDOWS atom * @param window Window X identifier. * @param list_len Windows list len. * @param list Windows list. * @return The request cookie. */ xcb_void_cookie_t xcb_icccm_set_wm_colormap_windows_checked(xcb_connection_t* c, xcb_window_t window, xcb_atom_t wm_colormap_windows_atom, uint list_len, const xcb_window_t* list); /** * @see xcb_icccm_set_wm_colormap_windows_checked() */ xcb_void_cookie_t xcb_icccm_set_wm_colormap_windows(xcb_connection_t* c, xcb_window_t window, xcb_atom_t wm_colormap_windows_atom, uint list_len, const xcb_window_t* list); /** * @brief WM_COLORMAP_WINDOWS structure. */ struct xcb_icccm_get_wm_colormap_windows_reply_t { /** Length of the windows list */ uint windows_len; /** Windows list */ xcb_window_t* windows; /** Store reply to avoid memory allocation, should normally not be used directly */ xcb_get_property_reply_t* _reply; } /** * @brief Send request to get WM_COLORMAP_WINDOWS property of a given window. * @param c The connection to the X server. * @param window Window X identifier. * @return The request cookie. */ xcb_get_property_cookie_t xcb_icccm_get_wm_colormap_windows(xcb_connection_t* c, xcb_window_t window, xcb_atom_t wm_colormap_windows_atom); /** * @see xcb_icccm_get_wm_colormap_windows() */ xcb_get_property_cookie_t xcb_icccm_get_wm_colormap_windows_unchecked(xcb_connection_t* c, xcb_window_t window, xcb_atom_t wm_colormap_windows_atom); /** * @brief Fill the given structure with the WM_COLORMAP_WINDOWS property of a window. * @param reply The reply of the GetProperty request. * @param colormap_windows WM_COLORMAP property value. * @return Return 1 on success, 0 otherwise. * * protocols structure members should be freed by * xcb_icccm_get_wm_protocols_reply_wipe(). */ ubyte xcb_icccm_get_wm_colormap_windows_from_reply(xcb_get_property_reply_t* reply, xcb_icccm_get_wm_colormap_windows_reply_t* colormap_windows); /** * @brief Fill the given structure with the WM_COLORMAP_WINDOWS property of a window. * @param c The connection to the X server. * @param cookie Request cookie. * @param protocols WM_COLORMAP_WINDOWS property value. * @param e Error if any. * @return Return 1 on success, 0 otherwise. * * The parameter e supplied to this function must be NULL if * xcb_icccm_get_wm_colormap_windows_unchecked() is used. Otherwise, it * stores the error if any. protocols structure members should be * freed by xcb_icccm_get_wm_colormap_windows_reply_wipe(). */ ubyte xcb_icccm_get_wm_colormap_windows_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_icccm_get_wm_colormap_windows_reply_t* windows, xcb_generic_error_t** e); /** * @brief Wipe protocols structure members previously allocated by * xcb_icccm_get_wm_colormap_windows_reply(). * @param windows windows structure whose members is going to be freed. */ void xcb_icccm_get_wm_colormap_windows_reply_wipe(xcb_icccm_get_wm_colormap_windows_reply_t* windows); /* WM_CLIENT_MACHINE */ /** * @brief Deliver a SetProperty request to set WM_CLIENT_MACHINE property value. * @param c The connection to the X server. * @param window Window X identifier. * @param encoding Encoding used for the data passed in the name parameter, the set property will also have this encoding as its type. * @param format Encoding format. * @param name_len Length of name value to set. * @param name Name value to set. */ xcb_void_cookie_t xcb_icccm_set_wm_client_machine_checked(xcb_connection_t* c, xcb_window_t window, xcb_atom_t encoding, ubyte format, uint name_len, const char* name); /** * @see xcb_icccm_set_wm_client_machine_checked() */ xcb_void_cookie_t xcb_icccm_set_wm_client_machine(xcb_connection_t* c, xcb_window_t window, xcb_atom_t encoding, ubyte format, uint name_len, const char* name); /** * @brief Send request to get WM_CLIENT_MACHINE property of a window. * @param c The connection to the X server. * @param window Window X identifier. * @return The request cookie. */ xcb_get_property_cookie_t xcb_icccm_get_wm_client_machine(xcb_connection_t* c, xcb_window_t window); /** * @see xcb_icccm_get_wm_client_machine() */ xcb_get_property_cookie_t xcb_icccm_get_wm_client_machine_unchecked(xcb_connection_t* c, xcb_window_t window); /** * @brief Fill given structure with the WM_CLIENT_MACHINE property of a window. * @param c The connection to the X server. * @param cookie Request cookie. * @param prop WM_CLIENT_MACHINE property value. * @param e Error if any. * @see xcb_icccm_get_text_property_reply() * @return Return 1 on success, 0 otherwise. */ ubyte xcb_icccm_get_wm_client_machine_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_icccm_get_text_property_reply_t* prop, xcb_generic_error_t** e); /* WM_CLASS */ /** * @brief WM_CLASS hint structure */ /** * @brief Deliver a SetProperty request to set WM_CLASS property value. * * WM_CLASS string is a concatenation of the instance and class name * strings respectively (including null character). * * @param c The connection to the X server. * @param window Window X identifier. * @param class_len Length of WM_CLASS string. * @param class_name WM_CLASS string. * @return The request cookie. */ xcb_void_cookie_t xcb_icccm_set_wm_class_checked(xcb_connection_t* c, xcb_window_t window, uint class_len, const char* class_name); /** * @see xcb_icccm_set_wm_class_checked() */ xcb_void_cookie_t xcb_icccm_set_wm_class(xcb_connection_t* c, xcb_window_t window, uint class_len, const char* class_name); struct xcb_icccm_get_wm_class_reply_t { /** Instance name */ char* instance_name; /** Class of application */ char* class_name; /** Store reply to avoid memory allocation, should normally not be used directly */ xcb_get_property_reply_t* _reply; } /** * @brief Deliver a GetProperty request to the X server for WM_CLASS. * @param c The connection to the X server. * @param window Window X identifier. * @return The request cookie. */ xcb_get_property_cookie_t xcb_icccm_get_wm_class(xcb_connection_t* c, xcb_window_t window); /** * @see xcb_icccm_get_wm_class() */ xcb_get_property_cookie_t xcb_icccm_get_wm_class_unchecked(xcb_connection_t* c, xcb_window_t window); /** * @brief Fill give structure with the WM_CLASS property of a window. * @param prop The property structure to fill. * @param reply The property request reply. * @return Return 1 on success, 0 otherwise. */ ubyte xcb_icccm_get_wm_class_from_reply(xcb_icccm_get_wm_class_reply_t* prop, xcb_get_property_reply_t* reply); /** * @brief Fill given structure with the WM_CLASS property of a window. * @param c The connection to the X server. * @param cookie Request cookie. * @param prop WM_CLASS property value. * @param e Error if any. * @return Return 1 on success, 0 otherwise. * * The parameter e supplied to this function must be NULL if * xcb_icccm_get_wm_class_unchecked() is used. Otherwise, it stores the * error if any. prop structure members should be freed by * xcb_icccm_get_wm_class_reply_wipe(). */ ubyte xcb_icccm_get_wm_class_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_icccm_get_wm_class_reply_t* prop, xcb_generic_error_t** e); /** * @brief Wipe prop structure members previously allocated by * xcb_icccm_get_wm_class_reply(). * @param prop prop structure whose members is going to be freed. */ void xcb_icccm_get_wm_class_reply_wipe(xcb_icccm_get_wm_class_reply_t* prop); /* WM_TRANSIENT_FOR */ /** * @brief Deliver a SetProperty request to set WM_TRANSIENT_FOR property value. * @param c The connection to the X server. * @param window Window X identifier. * @param transient_for_window The WM_TRANSIENT_FOR window X identifier. * @return The request cookie. */ xcb_void_cookie_t xcb_icccm_set_wm_transient_for_checked(xcb_connection_t* c, xcb_window_t window, xcb_window_t transient_for_window); /** * @see xcb_icccm_set_wm_transient_for */ xcb_void_cookie_t xcb_icccm_set_wm_transient_for(xcb_connection_t* c, xcb_window_t window, xcb_window_t transient_for_window); /** * @brief Send request to get WM_TRANSIENT_FOR property of a window. * @param c The connection to the X server * @param window Window X identifier. * @return The request cookie. */ xcb_get_property_cookie_t xcb_icccm_get_wm_transient_for(xcb_connection_t* c, xcb_window_t window); /** * @see xcb_icccm_get_wm_transient_for_unchecked() */ xcb_get_property_cookie_t xcb_icccm_get_wm_transient_for_unchecked(xcb_connection_t* c, xcb_window_t window); /** * @brief Fill given window pointer with the WM_TRANSIENT_FOR property of a window. * @param prop WM_TRANSIENT_FOR property value. * @param reply The get property request reply. * @return Return 1 on success, 0 otherwise. */ ubyte xcb_icccm_get_wm_transient_for_from_reply(xcb_window_t* prop, xcb_get_property_reply_t* reply); /** * @brief Fill given structure with the WM_TRANSIENT_FOR property of a window. * @param c The connection to the X server. * @param cookie Request cookie. * @param prop WM_TRANSIENT_FOR property value. * @param e Error if any. * @return Return 1 on success, 0 otherwise. * * The parameter e supplied to this function must be NULL if * xcb_icccm_get_wm_transient_for_unchecked() is used. Otherwise, it stores * the error if any. */ ubyte xcb_icccm_get_wm_transient_for_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_window_t* prop, xcb_generic_error_t** e); /* WM_SIZE_HINTS */ enum xcb_icccm_size_hints_flags_t { XCB_ICCCM_SIZE_HINT_US_POSITION = 1 << 0, XCB_ICCCM_SIZE_HINT_US_SIZE = 1 << 1, XCB_ICCCM_SIZE_HINT_P_POSITION = 1 << 2, XCB_ICCCM_SIZE_HINT_P_SIZE = 1 << 3, XCB_ICCCM_SIZE_HINT_P_MIN_SIZE = 1 << 4, XCB_ICCCM_SIZE_HINT_P_MAX_SIZE = 1 << 5, XCB_ICCCM_SIZE_HINT_P_RESIZE_INC = 1 << 6, XCB_ICCCM_SIZE_HINT_P_ASPECT = 1 << 7, XCB_ICCCM_SIZE_HINT_BASE_SIZE = 1 << 8, XCB_ICCCM_SIZE_HINT_P_WIN_GRAVITY = 1 << 9 } alias XCB_ICCCM_SIZE_HINT_US_POSITION = xcb_icccm_size_hints_flags_t.XCB_ICCCM_SIZE_HINT_US_POSITION; alias XCB_ICCCM_SIZE_HINT_US_SIZE = xcb_icccm_size_hints_flags_t.XCB_ICCCM_SIZE_HINT_US_SIZE; alias XCB_ICCCM_SIZE_HINT_P_POSITION = xcb_icccm_size_hints_flags_t.XCB_ICCCM_SIZE_HINT_P_POSITION; alias XCB_ICCCM_SIZE_HINT_P_SIZE = xcb_icccm_size_hints_flags_t.XCB_ICCCM_SIZE_HINT_P_SIZE; alias XCB_ICCCM_SIZE_HINT_P_MIN_SIZE = xcb_icccm_size_hints_flags_t.XCB_ICCCM_SIZE_HINT_P_MIN_SIZE; alias XCB_ICCCM_SIZE_HINT_P_MAX_SIZE = xcb_icccm_size_hints_flags_t.XCB_ICCCM_SIZE_HINT_P_MAX_SIZE; alias XCB_ICCCM_SIZE_HINT_P_RESIZE_INC = xcb_icccm_size_hints_flags_t.XCB_ICCCM_SIZE_HINT_P_RESIZE_INC; alias XCB_ICCCM_SIZE_HINT_P_ASPECT = xcb_icccm_size_hints_flags_t.XCB_ICCCM_SIZE_HINT_P_ASPECT; alias XCB_ICCCM_SIZE_HINT_BASE_SIZE = xcb_icccm_size_hints_flags_t.XCB_ICCCM_SIZE_HINT_BASE_SIZE; alias XCB_ICCCM_SIZE_HINT_P_WIN_GRAVITY = xcb_icccm_size_hints_flags_t.XCB_ICCCM_SIZE_HINT_P_WIN_GRAVITY; /** * @brief Size hints structure. */ struct xcb_size_hints_t { /** User specified flags */ uint flags; /** User-specified position */ int x, y; /** User-specified size */ int width, height; /** Program-specified minimum size */ int min_width, min_height; /** Program-specified maximum size */ int max_width, max_height; /** Program-specified resize increments */ int width_inc, height_inc; /** Program-specified minimum aspect ratios */ int min_aspect_num, min_aspect_den; /** Program-specified maximum aspect ratios */ int max_aspect_num, max_aspect_den; /** Program-specified base size */ int base_width, base_height; /** Program-specified window gravity */ uint win_gravity; } /** Number of elements in this structure */ enum XCB_ICCCM_NUM_WM_SIZE_HINTS_ELEMENTS = 18; /** * @brief Set size hints to a given position. * @param hints SIZE_HINTS structure. * @param user_specified Is the size user-specified? * @param x The X position. * @param y The Y position. */ void xcb_icccm_size_hints_set_position(xcb_size_hints_t* hints, int user_specified, int x, int y); /** * @brief Set size hints to a given size. * @param hints SIZE_HINTS structure. * @param user_specified is the size user-specified? * @param width The width. * @param height The height. */ void xcb_icccm_size_hints_set_size(xcb_size_hints_t* hints, int user_specified, int width, int height); /** * @brief Set size hints to a given minimum size. * @param hints SIZE_HINTS structure. * @param width The minimum width. * @param height The minimum height. */ void xcb_icccm_size_hints_set_min_size(xcb_size_hints_t* hints, int min_width, int min_height); /** * @brief Set size hints to a given maximum size. * @param hints SIZE_HINTS structure. * @param width The maximum width. * @param height The maximum height. */ void xcb_icccm_size_hints_set_max_size(xcb_size_hints_t* hints, int max_width, int max_height); /** * @brief Set size hints to a given resize increments. * @param hints SIZE_HINTS structure. * @param width The resize increments width. * @param height The resize increments height. */ void xcb_icccm_size_hints_set_resize_inc(xcb_size_hints_t* hints, int width_inc, int height_inc); /** * @brief Set size hints to a given aspect ratios. * @param hints SIZE_HINTS structure. * @param min_aspect_num The minimum aspect ratios for the width. * @param min_aspect_den The minimum aspect ratios for the height. * @param max_aspect_num The maximum aspect ratios for the width. * @param max_aspect_den The maximum aspect ratios for the height. */ void xcb_icccm_size_hints_set_aspect(xcb_size_hints_t* hints, int min_aspect_num, int min_aspect_den, int max_aspect_num, int max_aspect_den); /** * @brief Set size hints to a given base size. * @param hints SIZE_HINTS structure. * @param base_width Base width. * @param base_height Base height. */ void xcb_icccm_size_hints_set_base_size(xcb_size_hints_t* hints, int base_width, int base_height); /** * @brief Set size hints to a given window gravity. * @param hints SIZE_HINTS structure. * @param win_gravity Window gravity value. */ void xcb_icccm_size_hints_set_win_gravity(xcb_size_hints_t* hints, xcb_gravity_t win_gravity); /** * @brief Deliver a ChangeProperty request to set a value to a given property. * @param c The connection to the X server. * @param window Window X identifier. * @param property Property to set value for. * @param hints Hints value to set. */ xcb_void_cookie_t xcb_icccm_set_wm_size_hints_checked(xcb_connection_t* c, xcb_window_t window, xcb_atom_t property, xcb_size_hints_t* hints); /** * @see xcb_icccm_set_wm_size_hints_checked() */ xcb_void_cookie_t xcb_icccm_set_wm_size_hints(xcb_connection_t* c, xcb_window_t window, xcb_atom_t property, xcb_size_hints_t* hints); /** * @brief Send request to get size hints structure for the named property. * @param c The connection to the X server. * @param window Window X identifier. * @param property Specify the property name. * @return The request cookie. */ xcb_get_property_cookie_t xcb_icccm_get_wm_size_hints(xcb_connection_t* c, xcb_window_t window, xcb_atom_t property); /** * @see xcb_icccm_get_wm_size_hints() */ xcb_get_property_cookie_t xcb_icccm_get_wm_size_hints_unchecked(xcb_connection_t* c, xcb_window_t window, xcb_atom_t property); /** * @brief Fill given structure with the size hints of the named property. * @param c The connection to the X server. * @param cookie Request cookie. * @param hints Size hints structure. * @param e Error if any. * @return Return 1 on success, 0 otherwise. * * The parameter e supplied to this function must be NULL if * xcb_icccm_get_wm_size_hints_unchecked() is used. Otherwise, it stores * the error if any. The returned pointer should be freed. */ ubyte xcb_icccm_get_wm_size_hints_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_size_hints_t* hints, xcb_generic_error_t** e); /* WM_NORMAL_HINTS */ /** * @brief Deliver a ChangeProperty request to set WM_NORMAL_HINTS property value. * @param c The connection to the X server. * @param window Window X identifier. * @param hints Hints value to set. */ xcb_void_cookie_t xcb_icccm_set_wm_normal_hints_checked(xcb_connection_t* c, xcb_window_t window, xcb_size_hints_t* hints); /** * @see xcb_icccm_set_wm_normal_hints_checked() */ xcb_void_cookie_t xcb_icccm_set_wm_normal_hints(xcb_connection_t* c, xcb_window_t window, xcb_size_hints_t* hints); /** * @brief Send request to get WM_NORMAL_HINTS property of a window. * @param c The connection to the X server. * @param window Window X identifier. * @return The request cookie. */ xcb_get_property_cookie_t xcb_icccm_get_wm_normal_hints(xcb_connection_t* c, xcb_window_t window); /** * @see xcb_icccm_get_wm_normal_hints() */ xcb_get_property_cookie_t xcb_icccm_get_wm_normal_hints_unchecked(xcb_connection_t* c, xcb_window_t window); /** * @brief Fill given structure with the WM_NORMAL_HINTS property of a window. * @param hints WM_NORMAL_HINTS property value. * @param reply The get property request reply. * @return Return 1 on success, 0 otherwise. */ ubyte xcb_icccm_get_wm_size_hints_from_reply(xcb_size_hints_t* hints, xcb_get_property_reply_t* reply); /** * @brief Fill given structure with the WM_NORMAL_HINTS property of a window. * @param c The connection to the X server. * @param cookie Request cookie. * @param hints WM_NORMAL_HINTS property value. * @param e Error if any. * @return Return 1 on success, 0 otherwise. * * The parameter e supplied to this function must be NULL if * xcb_icccm_get_wm_normal_hints_unchecked() is used. Otherwise, it stores * the error if any. The returned pointer should be freed. */ ubyte xcb_icccm_get_wm_normal_hints_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_size_hints_t* hints, xcb_generic_error_t** e); /* WM_HINTS */ /** * @brief WM hints structure (may be extended in the future). */ struct xcb_icccm_wm_hints_t { /** Marks which fields in this structure are defined */ int flags; /** Does this application rely on the window manager to get keyboard input? */ uint input; /** See below */ int initial_state; /** Pixmap to be used as icon */ xcb_pixmap_t icon_pixmap; /** Window to be used as icon */ xcb_window_t icon_window; /** Initial position of icon */ int icon_x, icon_y; /** Icon mask bitmap */ xcb_pixmap_t icon_mask; /* Identifier of related window group */ xcb_window_t window_group; } /** Number of elements in this structure */ enum XCB_ICCCM_NUM_WM_HINTS_ELEMENTS = 9; /** * @brief WM_HINTS window states. */ enum xcb_icccm_wm_state_t { XCB_ICCCM_WM_STATE_WITHDRAWN = 0, XCB_ICCCM_WM_STATE_NORMAL = 1, XCB_ICCCM_WM_STATE_ICONIC = 3 } alias XCB_ICCCM_WM_STATE_WITHDRAWN = xcb_icccm_wm_state_t.XCB_ICCCM_WM_STATE_WITHDRAWN; alias XCB_ICCCM_WM_STATE_NORMAL = xcb_icccm_wm_state_t.XCB_ICCCM_WM_STATE_NORMAL; alias XCB_ICCCM_WM_STATE_ICONIC = xcb_icccm_wm_state_t.XCB_ICCCM_WM_STATE_ICONIC; enum xcb_icccm_wm_t { XCB_ICCCM_WM_HINT_INPUT = (1L << 0), XCB_ICCCM_WM_HINT_STATE = (1L << 1), XCB_ICCCM_WM_HINT_ICON_PIXMAP = (1L << 2), XCB_ICCCM_WM_HINT_ICON_WINDOW = (1L << 3), XCB_ICCCM_WM_HINT_ICON_POSITION = (1L << 4), XCB_ICCCM_WM_HINT_ICON_MASK = (1L << 5), XCB_ICCCM_WM_HINT_WINDOW_GROUP = (1L << 6), XCB_ICCCM_WM_HINT_X_URGENCY = (1L << 8) } alias XCB_ICCCM_WM_HINT_INPUT = xcb_icccm_wm_t.XCB_ICCCM_WM_HINT_INPUT; alias XCB_ICCCM_WM_HINT_STATE = xcb_icccm_wm_t.XCB_ICCCM_WM_HINT_STATE; alias XCB_ICCCM_WM_HINT_ICON_PIXMAP = xcb_icccm_wm_t.XCB_ICCCM_WM_HINT_ICON_PIXMAP; alias XCB_ICCCM_WM_HINT_ICON_WINDOW = xcb_icccm_wm_t.XCB_ICCCM_WM_HINT_ICON_WINDOW; alias XCB_ICCCM_WM_HINT_ICON_POSITION = xcb_icccm_wm_t.XCB_ICCCM_WM_HINT_ICON_POSITION; alias XCB_ICCCM_WM_HINT_ICON_MASK = xcb_icccm_wm_t.XCB_ICCCM_WM_HINT_ICON_MASK; alias XCB_ICCCM_WM_HINT_WINDOW_GROUP = xcb_icccm_wm_t.XCB_ICCCM_WM_HINT_WINDOW_GROUP; alias XCB_ICCCM_WM_HINT_X_URGENCY = xcb_icccm_wm_t.XCB_ICCCM_WM_HINT_X_URGENCY; enum XCB_ICCCM_WM_ALL_HINTS = ( XCB_ICCCM_WM_HINT_INPUT | XCB_ICCCM_WM_HINT_STATE | XCB_ICCCM_WM_HINT_ICON_PIXMAP | XCB_ICCCM_WM_HINT_ICON_WINDOW | XCB_ICCCM_WM_HINT_ICON_POSITION | XCB_ICCCM_WM_HINT_ICON_MASK | XCB_ICCCM_WM_HINT_WINDOW_GROUP); /** * @brief Get urgency hint. * @param hints WM_HINTS structure. * @return Urgency hint value. */ uint xcb_icccm_wm_hints_get_urgency(xcb_icccm_wm_hints_t* hints); /** * @brief Set input focus. * @param hints WM_HINTS structure. * @param input Input focus. */ void xcb_icccm_wm_hints_set_input(xcb_icccm_wm_hints_t* hints, ubyte input); /** * @brief Set hints state to 'iconic'. * @param hints WM_HINTS structure. */ void xcb_icccm_wm_hints_set_iconic(xcb_icccm_wm_hints_t* hints); /** * @brief Set hints state to 'normal'. * @param hints WM_HINTS structure. */ void xcb_icccm_wm_hints_set_normal(xcb_icccm_wm_hints_t* hints); /** * @brief Set hints state to 'withdrawn'. * @param hints WM_HINTS structure. */ void xcb_icccm_wm_hints_set_withdrawn(xcb_icccm_wm_hints_t* hints); /** * @brief Set hints state to none. * @param hints WM_HINTS structure. */ void xcb_icccm_wm_hints_set_none(xcb_icccm_wm_hints_t* hints); /** * @brief Set pixmap to be used as icon. * @param hints WM_HINTS structure. * @param icon_pixmap Pixmap. */ void xcb_icccm_wm_hints_set_icon_pixmap(xcb_icccm_wm_hints_t* hints, xcb_pixmap_t icon_pixmap); /** * @brief Set icon mask bitmap. * @param hints WM_HINTS structure. * @param icon_mask Pixmap. */ void xcb_icccm_wm_hints_set_icon_mask(xcb_icccm_wm_hints_t* hints, xcb_pixmap_t icon_mask); /** * @brief Set window identifier to be used as icon. * @param hints WM_HINTS structure. * @param icon_window Window X identifier. */ void xcb_icccm_wm_hints_set_icon_window(xcb_icccm_wm_hints_t* hints, xcb_window_t icon_window); /** * @brief Set identifier of related window group. * @param hints WM_HINTS structure. * @param window_group Window X identifier. */ void xcb_icccm_wm_hints_set_window_group(xcb_icccm_wm_hints_t* hints, xcb_window_t window_group); /** * @brief Set urgency hints flag. * @param hints WM_HINTS structure. */ void xcb_icccm_wm_hints_set_urgency(xcb_icccm_wm_hints_t* hints); /** * @brief Deliver a SetProperty request to set WM_HINTS property value. * @param c The connection to the X server. * @param window Window X identifier. * @param hints Hints value to set. */ xcb_void_cookie_t xcb_icccm_set_wm_hints_checked(xcb_connection_t* c, xcb_window_t window, xcb_icccm_wm_hints_t* hints); /** * @see xcb_icccm_set_wm_hints_checked() */ xcb_void_cookie_t xcb_icccm_set_wm_hints(xcb_connection_t* c, xcb_window_t window, xcb_icccm_wm_hints_t* hints); /** * @brief Send request to get WM_HINTS property of a window. * @param c The connection to the X server. * @param window Window X identifier. * @return The request cookie. */ xcb_get_property_cookie_t xcb_icccm_get_wm_hints(xcb_connection_t* c, xcb_window_t window); /** * @see xcb_icccm_get_wm_hints() */ xcb_get_property_cookie_t xcb_icccm_get_wm_hints_unchecked(xcb_connection_t* c, xcb_window_t window); /** * @brief Fill given structure with the WM_HINTS property of a window. * @param hints WM_HINTS property value. * @param reply The get property request reply. * @return Return 1 on success, 0 otherwise. */ ubyte xcb_icccm_get_wm_hints_from_reply(xcb_icccm_wm_hints_t* hints, xcb_get_property_reply_t* reply); /** * @brief Fill given structure with the WM_HINTS property of a window. * @param c The connection to the X server. * @param cookie Request cookie. * @param hints WM_HINTS property value. * @param e Error if any. * @return Return 1 on success, 0 otherwise. * * The parameter e supplied to this function must be NULL if * xcb_icccm_get_wm_hints_unchecked() is used. Otherwise, it stores the * error if any. The returned pointer should be freed. */ ubyte xcb_icccm_get_wm_hints_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_icccm_wm_hints_t* hints, xcb_generic_error_t** e); /* WM_PROTOCOLS */ /** * @brief Deliver a SetProperty request to set WM_PROTOCOLS property value. * @param c The connection to the X server. * @param wm_protocols The WM_PROTOCOLS atom. * @param window Window X identifier. * @param list_len Atom list len. * @param list Atom list. */ xcb_void_cookie_t xcb_icccm_set_wm_protocols_checked(xcb_connection_t* c, xcb_window_t window, xcb_atom_t wm_protocols, uint list_len, xcb_atom_t* list); /** * @see xcb_icccm_set_wm_protocols_checked() */ xcb_void_cookie_t xcb_icccm_set_wm_protocols(xcb_connection_t* c, xcb_window_t window, xcb_atom_t wm_protocols, uint list_len, xcb_atom_t* list); /** * @brief WM_PROTOCOLS structure. */ struct xcb_icccm_get_wm_protocols_reply_t { /** Length of the atoms list */ uint atoms_len; /** Atoms list */ xcb_atom_t* atoms; /** Store reply to avoid memory allocation, should normally not be used directly */ xcb_get_property_reply_t* _reply; } /** * @brief Send request to get WM_PROTOCOLS property of a given window. * @param c The connection to the X server. * @param window Window X identifier. * @return The request cookie. */ xcb_get_property_cookie_t xcb_icccm_get_wm_protocols(xcb_connection_t* c, xcb_window_t window, xcb_atom_t wm_protocol_atom); /** * @see xcb_icccm_get_wm_protocols() */ xcb_get_property_cookie_t xcb_icccm_get_wm_protocols_unchecked(xcb_connection_t* c, xcb_window_t window, xcb_atom_t wm_protocol_atom); /** * @brief Fill the given structure with the WM_PROTOCOLS property of a window. * @param reply The reply of the GetProperty request. * @param protocols WM_PROTOCOLS property value. * @return Return 1 on success, 0 otherwise. * * protocols structure members should be freed by * xcb_icccm_get_wm_protocols_reply_wipe(). */ ubyte xcb_icccm_get_wm_protocols_from_reply(xcb_get_property_reply_t* reply, xcb_icccm_get_wm_protocols_reply_t* protocols); /** * @brief Fill the given structure with the WM_PROTOCOLS property of a window. * @param c The connection to the X server. * @param cookie Request cookie. * @param protocols WM_PROTOCOLS property value. * @param e Error if any. * @return Return 1 on success, 0 otherwise. * * The parameter e supplied to this function must be NULL if * xcb_icccm_get_wm_protocols_unchecked() is used. Otherwise, it stores the * error if any. protocols structure members should be freed by * xcb_icccm_get_wm_protocols_reply_wipe(). */ ubyte xcb_icccm_get_wm_protocols_reply(xcb_connection_t* c, xcb_get_property_cookie_t cookie, xcb_icccm_get_wm_protocols_reply_t* protocols, xcb_generic_error_t** e); /** * @brief Wipe protocols structure members previously allocated by * xcb_icccm_get_wm_protocols_reply(). * @param protocols protocols structure whose members is going to be freed. */ void xcb_icccm_get_wm_protocols_reply_wipe(xcb_icccm_get_wm_protocols_reply_t* protocols);
D
// PERMUTE_ARGS: // REQUIRED_ARGS: -D -Dd${RESULTS_DIR}/compilable -o- -transition=vmarkdown // TEST_OUTPUT_FILE: extra-files/ddoc_markdown_links_verbose.html // OUTPUT_FILES: ${RESULTS_DIR}/compilable/ddoc_markdown_links_verbose.html /++ Links: A link to [Object]. An inline link to [the D homepage](https://dlang.org). A simple link to [dub]. A slightly less simple link to [dub][]. An image: ![D-Man](https://dlang.org/images/d3.png) [dub]: https://code.dlang.org +/ module test.compilable.ddoc_markdown_links_verbose;
D
/** * std.net IRC client * * Authors: * */ module netd.irc; /// TODO: \x03COLORCODE? import std.socket : TcpSocket, InternetAddress; import std.socketstream; import std.stdio; import std.string : split, indexOf, toUpper; import std.array : join; import netd.uri; /** * Represents IRC user */ struct IrcUser { /** * User name */ string user; /** * Nick name */ string nick; /** * Host name */ string host; /** * Creates new user object * * Params: * user = User name * nick = Nick name * host = Host name */ public this(string _user, string _nick, string _host = "") { user = _user; nick = _nick; host = _host; } } /** * Represents IRC channel */ struct IrcChannel { /** * Channel name */ string name; /** * Channel mode, string contains number not sure if its mode for 100% */ string mode; /** * Channel description */ string desc; /** * Creates new IrcChannel object * * Params: * _name = Channel name * _mode = Channel mode * _desc = Channel description */ public this(string _name, string _mode, string _desc) { name = _name; mode = _mode; desc = _desc; } } struct IrcUserData { /** * User name */ string user; /** * Nick name */ string nick; /** * Host name */ string host; /** * Server */ string server; /** * Creates new user object * * Params: * user = User name * nick = Nick name * host = Host name * server = Server */ public this(string _user, string _nick, string _host = "") { user = _user; nick = _nick; host = _host; } } /** * Represents IRC message */ struct IrcMessage { private { string _channel; string _message; IrcUser _author; } /** * Creates new IRC message object * * Params: * channel = Channel name * message = Message contents * author = Message author */ public this(string channel, string message, IrcUser author) { _channel = channel; _message = message; _author = author; } /** * Returns channel name * * Returns: * Channel name */ public @property channel() { return _channel; } /** * Returns message contents * * Returns: * Message contents */ public @property message() { return _message; } /** * Returns message author data * * Returns: * Author data */ public @property author() { return _author; } /** * Returns message as string */ public string toString() { return message; } } /** * Represents IRC response */ struct IrcResponse { /** * IRC server response command */ string command; /** * Event target, user or host */ IrcUser target; /** * Command params, 1st is (not sure if always) channel */ string[] params; /** * Raw response */ string raw; /** * Creates new Irc response object * * Params: * _command = Response command * _params = Command params * _target = Event source * _raw = Raw response */ public this(string _command, string[] _params, IrcUser _target, string _raw = "" ) { command = _command; params = _params; target = _target; raw = _raw; } /** * Returns raw response as string */ public string toString() { return raw; } } /** * Represents IRC session * * Examples: * ---- * auto irc = new IrcSession(new Uri("irc.freenode.net:6667")); * * irc.connect(); * irc.auth(new IrcUser("urname", "urname")); * irc.join("#channel"); * * irc.OnMessageRecv = (IrcMessage msg) { writefln("[%s]<%s> %s", msg.channel, * msg.author.nick, msg.message); }; * * while(irc.alive) * { * irc.read(); * } * ---- */ class IrcSession { protected { TcpSocket _sock; SocketStream _ss; Uri _uri; IrcUser _user; string _bind; } bool _alive = false; /** * Creates new IRC session */ this(Uri uri) { _uri = uri; this(); } /// ditto protected this() { _sock = new TcpSocket(); } public ~this() { if(_alive) quit(); } /** * Checks if connection is still working */ @property bool alive() const { return _alive; } /** * Connects to the server */ public void connect() { if ( _bind !is null ) { _sock.bind(new InternetAddress(_bind, InternetAddress.PORT_ANY)); } _sock.connect(new InternetAddress(_uri.host, _uri.port)); _ss = new SocketStream(_sock); _alive = true; } /** * Binds connection * * Params: * ip = Ip to bind to */ public void bind(string ip) { _bind = ip; } /** * Authorizes user * * Params: * user = User data you want to exist with * realname = Real name */ public void auth(IrcUser user, string realname) { _user = user; send("USER " ~ user.user ~ " 8 * :" ~ realname); send("NICK " ~ user.nick); } /** * Joins room * * Params: * channel = Channel name, including # */ public void join(string channel) { send("JOIN " ~channel); } /** * Joins rooms * * Params: * ... = Room names */ public void join(string[] channels...) { foreach(channel; channels) join(channel); } /** * Leaves rooms * * Params: * channel = Channel name to leave */ public void part(string channel) { send("PART "~channel); } /** * Tells server client is away * * Params: * msg = Away message */ public void away(string msg) { send("AWAY :" ~ msg); } /** * Tells server client is back */ public void away() { send("AWAY"); } /** * Sends action command, equivalent to /me * * Params: * channel = Channel to send action * msg = Action contents */ public void action(string channel, string msg) { sendMessage(channel, "\x01ACTION " ~ msg ~ "\x01"); } /** * Sends message to channel * * Params: * channel = Channel name * msg = Message contents */ public void sendMessage(string channel, string msg) { send("PRIVMSG "~channel~" :"~msg); } /** * Sends message to channel * * Params: * msg = Message to send */ public void sendMessage(IrcMessage msg) { send("PRIVMSG "~msg.channel~" :"~msg.message); } /** * Requests server to return WHOIS data */ public void whois(string nick) { send("WHOIS "~nick); } /** * Requests server to return WHO data */ public void who(string nick) { send("WHO " ~nick); } /** * Lists users on the channel * * Todo: * Add callbacks * * Params: * channel = Channel name */ public void listUsers(string channel) { send("NAMES " ~ channel); } /// ditto alias listUsers names; /** * Requests server to list channels */ public void listChannels(string[] channels...) { if(channels.length == 0) { send("LIST"); } else { send("LIST " ~ .join(channels, ",")); } } /** * Request server to send Message Of the Day */ public void motd() { send("MOTD"); } /** * Invites user to channel */ public void invite(string user, string channel) { send("INVITE " ~ user ~ " " ~ channel); } /** * Changes nick * * Params: * nick = New nick */ public void nick(string nick) { send("NICK "~nick); } /** * Sends connection password * * Params: * pass = Password */ public void pass(string pass) { send("PASS "~pass); } /** * Sends notice to target * * Params: * target = Notice target * msg = Notice contents */ public void notice(string target, string msg) { send("NOTICE "~target ~ " :" ~msg); } /** * Reads data from IRC and parses response */ public void read() { auto line = rawRead(); auto res = parseLine(line); parseResponse(res); } /** * Reads data from Irc * * Returns: * IRC response line */ public string rawRead() { string line = cast(string) _ss.readLine(); if(OnRawRead !is null) OnRawRead(line); if(!_sock.isAlive() || !line.length) { _alive = false; if(OnConnectionLost !is null) OnConnectionLost(); return null; } return line; } /** * Closes the connection * * Params: * msg = Quit message */ public void close() { quit(); } /// ditto public void quit(string msg = "") { send("QUIT" ~ (msg != "" ? " :" ~ msg : "")); _alive = false; _ss.readLine(); _ss.close(); } /** * Sends raw command to IRC server * * Params: * msg = Command to send */ public void send(string msg) { if(OnRawMessageSend !is null) OnRawMessageSend(msg); _ss.writeLine(msg); } /* * The Original Code is the Team15 library. * * The Initial Developer of the Original Code is * Stéphan Kochen <stephan@kochen.nl> * Portions created by the Initial Developer are Copyright (C) 2006 * the Initial Developer. All Rights Reserved. */ /** * Parses IRC server response line * * Params: * line = Line to parse * * Returns: * Parsed response */ protected IrcResponse parseLine(string line) { size_t colon = -1, space = -1; string target; string[] params; string command; string usr; colon = line.indexOf(':'); if(colon == 0) { space = line.indexOf(' '); target = line[1..space]; line = line[space + 1 .. $]; colon = line.indexOf(':'); } if(colon == -1) { params = line.split(); } else { params = line[0..colon].split(); params.length = params.length + 1; params[$-1] = line[colon+1 .. $]; } command = toUpper(params[0]); params = params[1..$]; return IrcResponse(command, params, parseTarget(target), line); } /** * Parses target to user data * * Params: * target = Target to parse * * Returns: * IrcUser */ protected IrcUser parseTarget(string target) { IrcUser res = IrcUser(); size_t userpos = target.indexOf('!'); if(userpos == -1) { res.nick = target; } else { res.nick = target[0..userpos]; size_t hostpos = target.indexOf('@'); if(hostpos == -1) { res.host = null; res.user = null; } else { res.user = target[userpos+1..hostpos]; res.host = target[hostpos+1..$]; } } return res; } /** * Operate on parsed IRC respones * * Params: * r = Parsed response */ protected void parseResponse(IrcResponse r) { switch(r.command) { case "001": // success break; case "433": // nick name in use if(OnNickNameInUse !is null) OnNickNameInUse(); break; case "JOIN": if(OnJoin !is null) OnJoin(r.params[0], r.target); break; case "PART": if(OnPart !is null) OnPart(r.params[0], r.target); break; case "PING": send("PONG :" ~ r.params[0]); break; case "PRIVMSG": auto msg = IrcMessage(r.params[0], r.params[1], r.target); if(OnMessageRecv !is null) OnMessageRecv(msg); break; default: } } /** * Returns list of users on the channel * * Params: * channel = Channel to list users from * * Returns: * Users */ public string[] getUsers(string channel) { listUsers(channel); string[] users; while(alive) { auto line = rawRead(); auto res = parseLine(line); if(res.command == "366") break; else if(res.command == "353") { auto pos = line[1..$].indexOf(':'); if(pos == -1) continue; else { users ~= line[pos+2 .. $].split(" "); } } else if(res.command == "332") continue; else break; } return users; } /** * Calls dg on each user listed by the server * * Params: * channel = Channel to look for users * dg = Callback to call on each user */ public void getUsers(string channel, void delegate(string usr) dg) { listUsers(channel); while(alive) { auto line = rawRead(); auto res = parseLine(line); if(res.command == "366") break; else if(res.command == "353") { auto pos = line[1..$].indexOf(':'); if(pos == -1) continue; else { auto usrs = line[pos+2 .. $].split(" "); foreach(u; usrs) dg(u); } } else if(res.command == "332") continue; else break; } } /** * Returns user data * * Params: * nick = User to get data * * Returns: * User data */ public IrcUserData getUserData(string nick) { whois(nick); IrcUserData usr; usr.nick = nick; while(alive) { auto line = rawRead(); auto res = parseLine(line); if(res.command == "318") break; switch(res.command) { case "330": usr.user = res.params[2]; break; case "312": usr.server = res.params[2]; break; case "311": usr.host = res.params[3]; break; default: } } return usr; } /** * Returns channels available on the server * * Returns: * Array of IrcChannel representing single channel */ public IrcChannel[] getChannels(string[] _channels...) { listChannels(_channels); IrcChannel[] channels; while(alive) { auto line = rawRead(); auto res = parseLine(line); if(res.command == "322") { if(res.params.length > 3) channels ~= IrcChannel(res.params[1], res.params[2], res.params[3]); else channels ~= IrcChannel(res.params[1], res.params[2], ""); } else if( res.command == "323" ) break; } return channels; } /** * Calls dg on each channel returned by server * * Params: * dg = Callback * _channels = Channels to get description */ public void getChannels(void delegate(IrcChannel) dg, string[] _channels...) { listChannels(_channels); while(alive) { auto line = rawRead(); auto res = parseLine(line); if(res.command == "322") { if(res.params.length > 3) dg(IrcChannel(res.params[1], res.params[2], res.params[3])); else dg(IrcChannel(res.params[1], res.params[2], "")); } else if( res.command == "323" ) break; } } /** * Reads Message of the day from server and returns it * * Returns: * Message of the day */ public string getMotd() { motd(); bool started; string motd; while(alive) { auto line = rawRead(); auto res = parseLine(line); if(res.command == "375") started = true; else if(res.command == "376") break; else if(res.command == "372") motd ~= res.params[1] ~ '\n'; } return motd; } /** * Calls callback on each message of the day line * * Params: * dg = Delegate to call on each MOTD line */ public void getMotd(void delegate(IrcResponse res) dg) { motd(); bool started; while(alive) { auto line = rawRead(); auto res = parseLine(line); if(res.command == "375") started = true; else if(res.command == "376") break; else if(res.command == "372") dg(res); } } /** * Gets server time * * Returns: * Server time */ public string getServerTime() { send("TIME"); auto line = rawRead(); auto res = parseLine(line); return res.params[2]; } /** * Called when someone joins the channel, including you * * Params: * channel = Channel where action happened * usr = User data */ void delegate(string channel, IrcUser usr) OnJoin; /** * Called when someone leaves the channel, including you * * Params: * channel = Channel where action happened * usr = User data */ void delegate(string channel, IrcUser usr) OnPart; /** * Called when called rawRead * * Params: * msg = Server response contents */ void delegate(string msg) OnRawRead; /** * Called when lost connection to server */ void delegate() OnConnectionLost; /** * Called when someone send message to channel * * Params: * msg = Message recevied */ void delegate(IrcMessage msg) OnMessageRecv; /** * Called when send any message to server * * Params: * msg = Message send */ void delegate(string msg) OnRawMessageSend; /** * Called when specified nickname is in use */ void delegate() OnNickNameInUse; } debug(Irc) { void main() { auto irc = new IrcSession(new Uri("irc.freenode.net:6667")); irc.connect(); scope(exit) irc.close(); irc.OnNickNameInUse = () { irc.auth(IrcUser("nabot_", "nabot_"), "Real name"); irc.join("#dragonov"); }; irc.auth(IrcUser("nabot", "nabot"), "real name"); irc.join("#dragonov"); irc.OnMessageRecv = (IrcMessage msg) { auto parts = split(msg.message, " "); if(msg.message == "!bye") { irc.quit("Bye!"); return; } if(msg.message == "!testWhois") irc.getUserData("Robik"); if(msg.message == "!testMotd") writeln(irc.getMotd()); if(msg.message == "!testMotdg") irc.getMotd((IrcResponse res) {writeln(res.params[1]);}); if(msg.message == "!testList") { auto c = irc.getChannels(); foreach(ch; c) writeln(ch); } if(msg.message == "!repeat") { irc.sendMessage(msg); } if(msg.message == "!testTime") { irc.getServerTime(); } if(msg.message == "!testChannel") { auto c = irc.getChannels("#d", "#dbot"); foreach(ch; c) writeln(ch); } writefln("[%s]<%s> %s", msg.channel, msg.author.nick, msg.message); }; //irc.OnRawRead = (string msg) { writeln("> ", msg); }; irc.OnConnectionLost = (){ writeln("Connection lost :<"); }; irc.OnJoin = (string channel, IrcUser usr) { writefln("[%s] joined the %s", usr.nick, channel);; }; irc.OnPart = (string channel, IrcUser usr) { writefln("[%s] left the %s", usr.nick, channel); }; while(irc.alive) { irc.read(); } } }
D
/* TEST_OUTPUT: --- fail_compilation/fail261.d(20): Error: invalid `foreach` aggregate `range` of type `MyRange` fail_compilation/fail261.d(20): `foreach` works with input ranges (implementing `front` and `popFront`), aggregates implementing `opApply`, or the result of an aggregate's `.tupleof` property fail_compilation/fail261.d(20): https://dlang.org/phobos/std_range_primitives.html#isInputRange --- */ //import std.stdio; struct MyRange { } void main() { MyRange range; foreach (r; range) { //writefln("%s", r.toString()); } }
D
/Users/sinsakuokazaki/Research/rust-practice/matrix_operation/target/debug/deps/matrix_operation-b2acc85e93ef2b4d: src/main.rs /Users/sinsakuokazaki/Research/rust-practice/matrix_operation/target/debug/deps/matrix_operation-b2acc85e93ef2b4d.d: src/main.rs src/main.rs:
D
/* libFLAC - Free Lossless Audio Codec library * Copyright (C) 2000-2009 Josh Coalson * Copyright (C) 2011-2013 Xiph.Org Foundation * * 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 name of the Xiph.org Foundation 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 FOUNDATION 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 deimos.flac.stream_decoder; import deimos.flac.export_; import deimos.flac.format; import deimos.flac.ordinals; import core.stdc.config; import core.stdc.stdio; version(Posix) {} else version(Windows) {} else static assert(0, "Unsupported OS."); extern(System): nothrow: /** \file include/FLAC/stream_decoder.h * * \brief * This module contains the functions which implement the stream * decoder. * * See the detailed documentation in the * \link flac_stream_decoder stream decoder \endlink module. */ /** \defgroup flac_decoder FLAC/ \*_decoder.h: decoder interfaces * \ingroup flac * * \brief * This module describes the decoder layers provided by libFLAC. * * The stream decoder can be used to decode complete streams either from * the client via callbacks, or directly from a file, depending on how * it is initialized. When decoding via callbacks, the client provides * callbacks for reading FLAC data and writing decoded samples, and * handling metadata and errors. If the client also supplies seek-related * callback, the decoder function for sample-accurate seeking within the * FLAC input is also available. When decoding from a file, the client * needs only supply a filename or open \c FILE* and write/metadata/error * callbacks; the rest of the callbacks are supplied internally. For more * info see the \link flac_stream_decoder stream decoder \endlink module. */ /** \defgroup flac_stream_decoder FLAC/stream_decoder.h: stream decoder interface * \ingroup flac_decoder * * \brief * This module contains the functions which implement the stream * decoder. * * The stream decoder can decode native FLAC, and optionally Ogg FLAC * (check FLAC_API_SUPPORTS_OGG_FLAC) streams and files. * * The basic usage of this decoder is as follows: * - The program creates an instance of a decoder using * FLAC__stream_decoder_new(). * - The program overrides the default settings using * FLAC__stream_decoder_set_*() functions. * - The program initializes the instance to validate the settings and * prepare for decoding using * - FLAC__stream_decoder_init_stream() or FLAC__stream_decoder_init_FILE() * or FLAC__stream_decoder_init_file() for native FLAC, * - FLAC__stream_decoder_init_ogg_stream() or FLAC__stream_decoder_init_ogg_FILE() * or FLAC__stream_decoder_init_ogg_file() for Ogg FLAC * - The program calls the FLAC__stream_decoder_process_*() functions * to decode data, which subsequently calls the callbacks. * - The program finishes the decoding with FLAC__stream_decoder_finish(), * which flushes the input and output and resets the decoder to the * uninitialized state. * - The instance may be used again or deleted with * FLAC__stream_decoder_delete(). * * In more detail, the program will create a new instance by calling * FLAC__stream_decoder_new(), then call FLAC__stream_decoder_set_*() * functions to override the default decoder options, and call * one of the FLAC__stream_decoder_init_*() functions. * * There are three initialization functions for native FLAC, one for * setting up the decoder to decode FLAC data from the client via * callbacks, and two for decoding directly from a FLAC file. * * For decoding via callbacks, use FLAC__stream_decoder_init_stream(). * You must also supply several callbacks for handling I/O. Some (like * seeking) are optional, depending on the capabilities of the input. * * For decoding directly from a file, use FLAC__stream_decoder_init_FILE() * or FLAC__stream_decoder_init_file(). Then you must only supply an open * \c FILE* or filename and fewer callbacks; the decoder will handle * the other callbacks internally. * * There are three similarly-named init functions for decoding from Ogg * FLAC streams. Check \c FLAC_API_SUPPORTS_OGG_FLAC to find out if the * library has been built with Ogg support. * * Once the decoder is initialized, your program will call one of several * functions to start the decoding process: * * - FLAC__stream_decoder_process_single() - Tells the decoder to process at * most one metadata block or audio frame and return, calling either the * metadata callback or write callback, respectively, once. If the decoder * loses sync it will return with only the error callback being called. * - FLAC__stream_decoder_process_until_end_of_metadata() - Tells the decoder * to process the stream from the current location and stop upon reaching * the first audio frame. The client will get one metadata, write, or error * callback per metadata block, audio frame, or sync error, respectively. * - FLAC__stream_decoder_process_until_end_of_stream() - Tells the decoder * to process the stream from the current location until the read callback * returns FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM or * FLAC__STREAM_DECODER_READ_STATUS_ABORT. The client will get one metadata, * write, or error callback per metadata block, audio frame, or sync error, * respectively. * * When the decoder has finished decoding (normally or through an abort), * the instance is finished by calling FLAC__stream_decoder_finish(), which * ensures the decoder is in the correct state and frees memory. Then the * instance may be deleted with FLAC__stream_decoder_delete() or initialized * again to decode another stream. * * Seeking is exposed through the FLAC__stream_decoder_seek_absolute() method. * At any point after the stream decoder has been initialized, the client can * call this function to seek to an exact sample within the stream. * Subsequently, the first time the write callback is called it will be * passed a (possibly partial) block starting at that sample. * * If the client cannot seek via the callback interface provided, but still * has another way of seeking, it can flush the decoder using * FLAC__stream_decoder_flush() and start feeding data from the new position * through the read callback. * * The stream decoder also provides MD5 signature checking. If this is * turned on before initialization, FLAC__stream_decoder_finish() will * report when the decoded MD5 signature does not match the one stored * in the STREAMINFO block. MD5 checking is automatically turned off * (until the next FLAC__stream_decoder_reset()) if there is no signature * in the STREAMINFO block or when a seek is attempted. * * The FLAC__stream_decoder_set_metadata_*() functions deserve special * attention. By default, the decoder only calls the metadata_callback for * the STREAMINFO block. These functions allow you to tell the decoder * explicitly which blocks to parse and return via the metadata_callback * and/or which to skip. Use a FLAC__stream_decoder_set_metadata_respond_all(), * FLAC__stream_decoder_set_metadata_ignore() ... or FLAC__stream_decoder_set_metadata_ignore_all(), * FLAC__stream_decoder_set_metadata_respond() ... sequence to exactly specify * which blocks to return. Remember that metadata blocks can potentially * be big (for example, cover art) so filtering out the ones you don't * use can reduce the memory requirements of the decoder. Also note the * special forms FLAC__stream_decoder_set_metadata_respond_application(id) * and FLAC__stream_decoder_set_metadata_ignore_application(id) for * filtering APPLICATION blocks based on the application ID. * * STREAMINFO and SEEKTABLE blocks are always parsed and used internally, but * they still can legally be filtered from the metadata_callback. * * \note * The "set" functions may only be called when the decoder is in the * state FLAC__STREAM_DECODER_UNINITIALIZED, i.e. after * FLAC__stream_decoder_new() or FLAC__stream_decoder_finish(), but * before FLAC__stream_decoder_init_*(). If this is the case they will * return \c true, otherwise \c false. * * \note * FLAC__stream_decoder_finish() resets all settings to the constructor * defaults, including the callbacks. * * \{ */ /** State values for a FLAC__StreamDecoder * * The decoder's state can be obtained by calling FLAC__stream_decoder_get_state(). */ enum FLAC__StreamDecoderState { FLAC__STREAM_DECODER_SEARCH_FOR_METADATA = 0, /**< The decoder is ready to search for metadata. */ FLAC__STREAM_DECODER_READ_METADATA, /**< The decoder is ready to or is in the process of reading metadata. */ FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC, /**< The decoder is ready to or is in the process of searching for the * frame sync code. */ FLAC__STREAM_DECODER_READ_FRAME, /**< The decoder is ready to or is in the process of reading a frame. */ FLAC__STREAM_DECODER_END_OF_STREAM, /**< The decoder has reached the end of the stream. */ FLAC__STREAM_DECODER_OGG_ERROR, /**< An error occurred in the underlying Ogg layer. */ FLAC__STREAM_DECODER_SEEK_ERROR, /**< An error occurred while seeking. The decoder must be flushed * with FLAC__stream_decoder_flush() or reset with * FLAC__stream_decoder_reset() before decoding can continue. */ FLAC__STREAM_DECODER_ABORTED, /**< The decoder was aborted by the read callback. */ FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR, /**< An error occurred allocating memory. The decoder is in an invalid * state and can no longer be used. */ FLAC__STREAM_DECODER_UNINITIALIZED /**< The decoder is in the uninitialized state; one of the * FLAC__stream_decoder_init_*() functions must be called before samples * can be processed. */ } /** Maps a FLAC__StreamDecoderState to a C string. * * Using a FLAC__StreamDecoderState as the index to this array * will give the string equivalent. The contents should not be modified. */ extern __gshared const char** FLAC__StreamDecoderStateString; /** Possible return values for the FLAC__stream_decoder_init_*() functions. */ enum FLAC__StreamDecoderInitStatus { FLAC__STREAM_DECODER_INIT_STATUS_OK = 0, /**< Initialization was successful. */ FLAC__STREAM_DECODER_INIT_STATUS_UNSUPPORTED_CONTAINER, /**< The library was not compiled with support for the given container * format. */ FLAC__STREAM_DECODER_INIT_STATUS_INVALID_CALLBACKS, /**< A required callback was not supplied. */ FLAC__STREAM_DECODER_INIT_STATUS_MEMORY_ALLOCATION_ERROR, /**< An error occurred allocating memory. */ FLAC__STREAM_DECODER_INIT_STATUS_ERROR_OPENING_FILE, /**< fopen() failed in FLAC__stream_decoder_init_file() or * FLAC__stream_decoder_init_ogg_file(). */ FLAC__STREAM_DECODER_INIT_STATUS_ALREADY_INITIALIZED /**< FLAC__stream_decoder_init_*() was called when the decoder was * already initialized, usually because * FLAC__stream_decoder_finish() was not called. */ } /** Maps a FLAC__StreamDecoderInitStatus to a C string. * * Using a FLAC__StreamDecoderInitStatus as the index to this array * will give the string equivalent. The contents should not be modified. */ extern __gshared const char** FLAC__StreamDecoderInitStatusString; /** Return values for the FLAC__StreamDecoder read callback. */ enum FLAC__StreamDecoderReadStatus { FLAC__STREAM_DECODER_READ_STATUS_CONTINUE, /**< The read was OK and decoding can continue. */ FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM, /**< The read was attempted while at the end of the stream. Note that * the client must only return this value when the read callback was * called when already at the end of the stream. Otherwise, if the read * itself moves to the end of the stream, the client should still return * the data and \c FLAC__STREAM_DECODER_READ_STATUS_CONTINUE, and then on * the next read callback it should return * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM with a byte count * of \c 0. */ FLAC__STREAM_DECODER_READ_STATUS_ABORT /**< An unrecoverable error occurred. The decoder will return from the process call. */ } /** Maps a FLAC__StreamDecoderReadStatus to a C string. * * Using a FLAC__StreamDecoderReadStatus as the index to this array * will give the string equivalent. The contents should not be modified. */ extern __gshared const char** FLAC__StreamDecoderReadStatusString; /** Return values for the FLAC__StreamDecoder seek callback. */ enum FLAC__StreamDecoderSeekStatus { FLAC__STREAM_DECODER_SEEK_STATUS_OK, /**< The seek was OK and decoding can continue. */ FLAC__STREAM_DECODER_SEEK_STATUS_ERROR, /**< An unrecoverable error occurred. The decoder will return from the process call. */ FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED /**< Client does not support seeking. */ } /** Maps a FLAC__StreamDecoderSeekStatus to a C string. * * Using a FLAC__StreamDecoderSeekStatus as the index to this array * will give the string equivalent. The contents should not be modified. */ extern __gshared const char** FLAC__StreamDecoderSeekStatusString; /** Return values for the FLAC__StreamDecoder tell callback. */ enum FLAC__StreamDecoderTellStatus { FLAC__STREAM_DECODER_TELL_STATUS_OK, /**< The tell was OK and decoding can continue. */ FLAC__STREAM_DECODER_TELL_STATUS_ERROR, /**< An unrecoverable error occurred. The decoder will return from the process call. */ FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED /**< Client does not support telling the position. */ } /** Maps a FLAC__StreamDecoderTellStatus to a C string. * * Using a FLAC__StreamDecoderTellStatus as the index to this array * will give the string equivalent. The contents should not be modified. */ extern __gshared const char** FLAC__StreamDecoderTellStatusString; /** Return values for the FLAC__StreamDecoder length callback. */ enum FLAC__StreamDecoderLengthStatus { FLAC__STREAM_DECODER_LENGTH_STATUS_OK, /**< The length call was OK and decoding can continue. */ FLAC__STREAM_DECODER_LENGTH_STATUS_ERROR, /**< An unrecoverable error occurred. The decoder will return from the process call. */ FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED /**< Client does not support reporting the length. */ } /** Maps a FLAC__StreamDecoderLengthStatus to a C string. * * Using a FLAC__StreamDecoderLengthStatus as the index to this array * will give the string equivalent. The contents should not be modified. */ extern __gshared const char** FLAC__StreamDecoderLengthStatusString; /** Return values for the FLAC__StreamDecoder write callback. */ enum FLAC__StreamDecoderWriteStatus { FLAC__STREAM_DECODER_WRITE_STATUS_CONTINUE, /**< The write was OK and decoding can continue. */ FLAC__STREAM_DECODER_WRITE_STATUS_ABORT /**< An unrecoverable error occurred. The decoder will return from the process call. */ } /** Maps a FLAC__StreamDecoderWriteStatus to a C string. * * Using a FLAC__StreamDecoderWriteStatus as the index to this array * will give the string equivalent. The contents should not be modified. */ extern __gshared const char** FLAC__StreamDecoderWriteStatusString; /** Possible values passed back to the FLAC__StreamDecoder error callback. * \c FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC is the generic catch- * all. The rest could be caused by bad sync (false synchronization on * data that is not the start of a frame) or corrupted data. The error * itself is the decoder's best guess at what happened assuming a correct * sync. For example \c FLAC__STREAM_DECODER_ERROR_STATUS_BAD_HEADER * could be caused by a correct sync on the start of a frame, but some * data in the frame header was corrupted. Or it could be the result of * syncing on a point the stream that looked like the starting of a frame * but was not. \c FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM * could be because the decoder encountered a valid frame made by a future * version of the encoder which it cannot parse, or because of a false * sync making it appear as though an encountered frame was generated by * a future encoder. */ enum FLAC__StreamDecoderErrorStatus { FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC, /**< An error in the stream caused the decoder to lose synchronization. */ FLAC__STREAM_DECODER_ERROR_STATUS_BAD_HEADER, /**< The decoder encountered a corrupted frame header. */ FLAC__STREAM_DECODER_ERROR_STATUS_FRAME_CRC_MISMATCH, /**< The frame's data did not match the CRC in the footer. */ FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM /**< The decoder encountered reserved fields in use in the stream. */ } /** Maps a FLAC__StreamDecoderErrorStatus to a C string. * * Using a FLAC__StreamDecoderErrorStatus as the index to this array * will give the string equivalent. The contents should not be modified. */ extern __gshared const char** FLAC__StreamDecoderErrorStatusString; /*********************************************************************** * * class FLAC__StreamDecoder * ***********************************************************************/ extern struct FLAC__StreamDecoderProtected; extern struct FLAC__StreamDecoderPrivate; /** The opaque structure definition for the stream decoder type. * See the \link flac_stream_decoder stream decoder module \endlink * for a detailed description. */ struct FLAC__StreamDecoder { FLAC__StreamDecoderProtected* protected_; /* avoid the C++ keyword 'protected' */ FLAC__StreamDecoderPrivate* private_; /* avoid the C++ keyword 'private' */ } /** Signature for the read callback. * * A function pointer matching this signature must be passed to * FLAC__stream_decoder_init*_stream(). The supplied function will be * called when the decoder needs more input data. The address of the * buffer to be filled is supplied, along with the number of bytes the * buffer can hold. The callback may choose to supply less data and * modify the byte count but must be careful not to overflow the buffer. * The callback then returns a status code chosen from * FLAC__StreamDecoderReadStatus. * * Here is an example of a read callback for stdio streams: * \code * FLAC__StreamDecoderReadStatus read_cb(const FLAC__StreamDecoder *decoder, FLAC__byte buffer[], size_t *bytes, void *client_data) * { * FILE *file = ((MyClientData*)client_data)->file; * if(*bytes > 0) { * *bytes = fread(buffer, sizeof(FLAC__byte), *bytes, file); * if(ferror(file)) * return FLAC__STREAM_DECODER_READ_STATUS_ABORT; * else if(*bytes == 0) * return FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM; * else * return FLAC__STREAM_DECODER_READ_STATUS_CONTINUE; * } * else * return FLAC__STREAM_DECODER_READ_STATUS_ABORT; * } * \endcode * * \note In general, FLAC__StreamDecoder functions which change the * state should not be called on the \a decoder while in the callback. * * \param decoder The decoder instance calling the callback. * \param buffer A pointer to a location for the callee to store * data to be decoded. * \param bytes A pointer to the size of the buffer. On entry * to the callback, it contains the maximum number * of bytes that may be stored in \a buffer. The * callee must set it to the actual number of bytes * stored (0 in case of error or end-of-stream) before * returning. * \param client_data The callee's client data set through * FLAC__stream_decoder_init_*(). * \retval FLAC__StreamDecoderReadStatus * The callee's return status. Note that the callback should return * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM if and only if * zero bytes were read and there is no more data to be read. */ alias FLAC__StreamDecoderReadStatus function(const FLAC__StreamDecoder* decoder, FLAC__byte* buffer, size_t* bytes, void* client_data) FLAC__StreamDecoderReadCallback; /** Signature for the seek callback. * * A function pointer matching this signature may be passed to * FLAC__stream_decoder_init*_stream(). The supplied function will be * called when the decoder needs to seek the input stream. The decoder * will pass the absolute byte offset to seek to, 0 meaning the * beginning of the stream. * * Here is an example of a seek callback for stdio streams: * \code * FLAC__StreamDecoderSeekStatus seek_cb(const FLAC__StreamDecoder *decoder, FLAC__uint64 absolute_byte_offset, void *client_data) * { * FILE *file = ((MyClientData*)client_data)->file; * if(file == stdin) * return FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED; * else if(fseeko(file, (off_t)absolute_byte_offset, SEEK_SET) < 0) * return FLAC__STREAM_DECODER_SEEK_STATUS_ERROR; * else * return FLAC__STREAM_DECODER_SEEK_STATUS_OK; * } * \endcode * * \note In general, FLAC__StreamDecoder functions which change the * state should not be called on the \a decoder while in the callback. * * \param decoder The decoder instance calling the callback. * \param absolute_byte_offset The offset from the beginning of the stream * to seek to. * \param client_data The callee's client data set through * FLAC__stream_decoder_init_*(). * \retval FLAC__StreamDecoderSeekStatus * The callee's return status. */ alias FLAC__StreamDecoderSeekStatus function(const FLAC__StreamDecoder* decoder, FLAC__uint64 absolute_byte_offset, void* client_data) FLAC__StreamDecoderSeekCallback; /** Signature for the tell callback. * * A function pointer matching this signature may be passed to * FLAC__stream_decoder_init*_stream(). The supplied function will be * called when the decoder wants to know the current position of the * stream. The callback should return the byte offset from the * beginning of the stream. * * Here is an example of a tell callback for stdio streams: * \code * FLAC__StreamDecoderTellStatus tell_cb(const FLAC__StreamDecoder *decoder, FLAC__uint64 *absolute_byte_offset, void *client_data) * { * FILE *file = ((MyClientData*)client_data)->file; * off_t pos; * if(file == stdin) * return FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED; * else if((pos = ftello(file)) < 0) * return FLAC__STREAM_DECODER_TELL_STATUS_ERROR; * else { * *absolute_byte_offset = (FLAC__uint64)pos; * return FLAC__STREAM_DECODER_TELL_STATUS_OK; * } * } * \endcode * * \note In general, FLAC__StreamDecoder functions which change the * state should not be called on the \a decoder while in the callback. * * \param decoder The decoder instance calling the callback. * \param absolute_byte_offset A pointer to storage for the current offset * from the beginning of the stream. * \param client_data The callee's client data set through * FLAC__stream_decoder_init_*(). * \retval FLAC__StreamDecoderTellStatus * The callee's return status. */ alias FLAC__StreamDecoderTellStatus function(const FLAC__StreamDecoder* decoder, FLAC__uint64* absolute_byte_offset, void* client_data) FLAC__StreamDecoderTellCallback; /** Signature for the length callback. * * A function pointer matching this signature may be passed to * FLAC__stream_decoder_init*_stream(). The supplied function will be * called when the decoder wants to know the total length of the stream * in bytes. * * Here is an example of a length callback for stdio streams: * \code * FLAC__StreamDecoderLengthStatus length_cb(const FLAC__StreamDecoder *decoder, FLAC__uint64 *stream_length, void *client_data) * { * FILE *file = ((MyClientData*)client_data)->file; * struct stat filestats; * * if(file == stdin) * return FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED; * else if(fstat(fileno(file), &filestats) != 0) * return FLAC__STREAM_DECODER_LENGTH_STATUS_ERROR; * else { * *stream_length = (FLAC__uint64)filestats.st_size; * return FLAC__STREAM_DECODER_LENGTH_STATUS_OK; * } * } * \endcode * * \note In general, FLAC__StreamDecoder functions which change the * state should not be called on the \a decoder while in the callback. * * \param decoder The decoder instance calling the callback. * \param stream_length A pointer to storage for the length of the stream * in bytes. * \param client_data The callee's client data set through * FLAC__stream_decoder_init_*(). * \retval FLAC__StreamDecoderLengthStatus * The callee's return status. */ alias FLAC__StreamDecoderLengthStatus function(const FLAC__StreamDecoder* decoder, FLAC__uint64* stream_length, void* client_data) FLAC__StreamDecoderLengthCallback; /** Signature for the EOF callback. * * A function pointer matching this signature may be passed to * FLAC__stream_decoder_init*_stream(). The supplied function will be * called when the decoder needs to know if the end of the stream has * been reached. * * Here is an example of a EOF callback for stdio streams: * FLAC__bool eof_cb(const FLAC__StreamDecoder *decoder, void *client_data) * \code * { * FILE *file = ((MyClientData*)client_data)->file; * return feof(file)? true : false; * } * \endcode * * \note In general, FLAC__StreamDecoder functions which change the * state should not be called on the \a decoder while in the callback. * * \param decoder The decoder instance calling the callback. * \param client_data The callee's client data set through * FLAC__stream_decoder_init_*(). * \retval FLAC__bool * \c true if the currently at the end of the stream, else \c false. */ alias FLAC__bool function(const FLAC__StreamDecoder* decoder, void* client_data) FLAC__StreamDecoderEofCallback; /** Signature for the write callback. * * A function pointer matching this signature must be passed to one of * the FLAC__stream_decoder_init_*() functions. * The supplied function will be called when the decoder has decoded a * single audio frame. The decoder will pass the frame metadata as well * as an array of pointers (one for each channel) pointing to the * decoded audio. * * \note In general, FLAC__StreamDecoder functions which change the * state should not be called on the \a decoder while in the callback. * * \param decoder The decoder instance calling the callback. * \param frame The description of the decoded frame. See * FLAC__Frame. * \param buffer An array of pointers to decoded channels of data. * Each pointer will point to an array of signed * samples of length \a frame->header.blocksize. * Channels will be ordered according to the FLAC * specification; see the documentation for the * <A HREF="../format.html#frame_header">frame header</A>. * \param client_data The callee's client data set through * FLAC__stream_decoder_init_*(). * \retval FLAC__StreamDecoderWriteStatus * The callee's return status. */ alias FLAC__StreamDecoderWriteStatus function(const FLAC__StreamDecoder* decoder, const FLAC__Frame* frame, const FLAC__int32** buffer, void* client_data) FLAC__StreamDecoderWriteCallback; /** Signature for the metadata callback. * * A function pointer matching this signature must be passed to one of * the FLAC__stream_decoder_init_*() functions. * The supplied function will be called when the decoder has decoded a * metadata block. In a valid FLAC file there will always be one * \c STREAMINFO block, followed by zero or more other metadata blocks. * These will be supplied by the decoder in the same order as they * appear in the stream and always before the first audio frame (i.e. * write callback). The metadata block that is passed in must not be * modified, and it doesn't live beyond the callback, so you should make * a copy of it with FLAC__metadata_object_clone() if you will need it * elsewhere. Since metadata blocks can potentially be large, by * default the decoder only calls the metadata callback for the * \c STREAMINFO block; you can instruct the decoder to pass or filter * other blocks with FLAC__stream_decoder_set_metadata_*() calls. * * \note In general, FLAC__StreamDecoder functions which change the * state should not be called on the \a decoder while in the callback. * * \param decoder The decoder instance calling the callback. * \param metadata The decoded metadata block. * \param client_data The callee's client data set through * FLAC__stream_decoder_init_*(). */ alias void function(const FLAC__StreamDecoder* decoder, const FLAC__StreamMetadata* metadata, void* client_data) FLAC__StreamDecoderMetadataCallback; /** Signature for the error callback. * * A function pointer matching this signature must be passed to one of * the FLAC__stream_decoder_init_*() functions. * The supplied function will be called whenever an error occurs during * decoding. * * \note In general, FLAC__StreamDecoder functions which change the * state should not be called on the \a decoder while in the callback. * * \param decoder The decoder instance calling the callback. * \param status The error encountered by the decoder. * \param client_data The callee's client data set through * FLAC__stream_decoder_init_*(). */ alias void function(const FLAC__StreamDecoder* decoder, FLAC__StreamDecoderErrorStatus status, void* client_data) FLAC__StreamDecoderErrorCallback; /*********************************************************************** * * Class constructor/destructor * ***********************************************************************/ /** Create a new stream decoder instance. The instance is created with * default settings; see the individual FLAC__stream_decoder_set_*() * functions for each setting's default. * * \retval FLAC__StreamDecoder* * \c NULL if there was an error allocating memory, else the new instance. */ FLAC__StreamDecoder* FLAC__stream_decoder_new(); /** Free a decoder instance. Deletes the object pointed to by \a decoder. * * \param decoder A pointer to an existing decoder. * \assert * \code decoder != NULL \endcode */ void FLAC__stream_decoder_delete(FLAC__StreamDecoder* decoder); /*********************************************************************** * * Public class method prototypes * ***********************************************************************/ /** Set the serial number for the FLAC stream within the Ogg container. * The default behavior is to use the serial number of the first Ogg * page. Setting a serial number here will explicitly specify which * stream is to be decoded. * * \note * This does not need to be set for native FLAC decoding. * * \default \c use serial number of first page * \param decoder A decoder instance to set. * \param serial_number See above. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c false if the decoder is already initialized, else \c true. */ FLAC__bool FLAC__stream_decoder_set_ogg_serial_number(FLAC__StreamDecoder* decoder, c_long serial_number); /** Set the "MD5 signature checking" flag. If \c true, the decoder will * compute the MD5 signature of the unencoded audio data while decoding * and compare it to the signature from the STREAMINFO block, if it * exists, during FLAC__stream_decoder_finish(). * * MD5 signature checking will be turned off (until the next * FLAC__stream_decoder_reset()) if there is no signature in the * STREAMINFO block or when a seek is attempted. * * Clients that do not use the MD5 check should leave this off to speed * up decoding. * * \default \c false * \param decoder A decoder instance to set. * \param value Flag value (see above). * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c false if the decoder is already initialized, else \c true. */ FLAC__bool FLAC__stream_decoder_set_md5_checking(FLAC__StreamDecoder* decoder, FLAC__bool value); /** Direct the decoder to pass on all metadata blocks of type \a type. * * \default By default, only the \c STREAMINFO block is returned via the * metadata callback. * \param decoder A decoder instance to set. * \param type See above. * \assert * \code decoder != NULL \endcode * \a type is valid * \retval FLAC__bool * \c false if the decoder is already initialized, else \c true. */ FLAC__bool FLAC__stream_decoder_set_metadata_respond(FLAC__StreamDecoder* decoder, FLAC__MetadataType type); /** Direct the decoder to pass on all APPLICATION metadata blocks of the * given \a id. * * \default By default, only the \c STREAMINFO block is returned via the * metadata callback. * \param decoder A decoder instance to set. * \param id See above. * \assert * \code decoder != NULL \endcode * \code id != NULL \endcode * \retval FLAC__bool * \c false if the decoder is already initialized, else \c true. */ FLAC__bool FLAC__stream_decoder_set_metadata_respond_application(FLAC__StreamDecoder* decoder, const ref FLAC__byte id[4]); /** Direct the decoder to pass on all metadata blocks of any type. * * \default By default, only the \c STREAMINFO block is returned via the * metadata callback. * \param decoder A decoder instance to set. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c false if the decoder is already initialized, else \c true. */ FLAC__bool FLAC__stream_decoder_set_metadata_respond_all(FLAC__StreamDecoder* decoder); /** Direct the decoder to filter out all metadata blocks of type \a type. * * \default By default, only the \c STREAMINFO block is returned via the * metadata callback. * \param decoder A decoder instance to set. * \param type See above. * \assert * \code decoder != NULL \endcode * \a type is valid * \retval FLAC__bool * \c false if the decoder is already initialized, else \c true. */ FLAC__bool FLAC__stream_decoder_set_metadata_ignore(FLAC__StreamDecoder* decoder, FLAC__MetadataType type); /** Direct the decoder to filter out all APPLICATION metadata blocks of * the given \a id. * * \default By default, only the \c STREAMINFO block is returned via the * metadata callback. * \param decoder A decoder instance to set. * \param id See above. * \assert * \code decoder != NULL \endcode * \code id != NULL \endcode * \retval FLAC__bool * \c false if the decoder is already initialized, else \c true. */ FLAC__bool FLAC__stream_decoder_set_metadata_ignore_application(FLAC__StreamDecoder* decoder, const ref FLAC__byte id[4]); /** Direct the decoder to filter out all metadata blocks of any type. * * \default By default, only the \c STREAMINFO block is returned via the * metadata callback. * \param decoder A decoder instance to set. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c false if the decoder is already initialized, else \c true. */ FLAC__bool FLAC__stream_decoder_set_metadata_ignore_all(FLAC__StreamDecoder* decoder); /** Get the current decoder state. * * \param decoder A decoder instance to query. * \assert * \code decoder != NULL \endcode * \retval FLAC__StreamDecoderState * The current decoder state. */ FLAC__StreamDecoderState FLAC__stream_decoder_get_state(const FLAC__StreamDecoder* decoder); /** Get the current decoder state as a C string. * * \param decoder A decoder instance to query. * \assert * \code decoder != NULL \endcode * \retval const char * * The decoder state as a C string. Do not modify the contents. */ const(char)* FLAC__stream_decoder_get_resolved_state_string(const FLAC__StreamDecoder* decoder); /** Get the "MD5 signature checking" flag. * This is the value of the setting, not whether or not the decoder is * currently checking the MD5 (remember, it can be turned off automatically * by a seek). When the decoder is reset the flag will be restored to the * value returned by this function. * * \param decoder A decoder instance to query. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * See above. */ FLAC__bool FLAC__stream_decoder_get_md5_checking(const FLAC__StreamDecoder* decoder); /** Get the total number of samples in the stream being decoded. * Will only be valid after decoding has started and will contain the * value from the \c STREAMINFO block. A value of \c 0 means "unknown". * * \param decoder A decoder instance to query. * \assert * \code decoder != NULL \endcode * \retval uint * See above. */ FLAC__uint64 FLAC__stream_decoder_get_total_samples(const FLAC__StreamDecoder* decoder); /** Get the current number of channels in the stream being decoded. * Will only be valid after decoding has started and will contain the * value from the most recently decoded frame header. * * \param decoder A decoder instance to query. * \assert * \code decoder != NULL \endcode * \retval uint * See above. */ uint FLAC__stream_decoder_get_channels(const FLAC__StreamDecoder* decoder); /** Get the current channel assignment in the stream being decoded. * Will only be valid after decoding has started and will contain the * value from the most recently decoded frame header. * * \param decoder A decoder instance to query. * \assert * \code decoder != NULL \endcode * \retval FLAC__ChannelAssignment * See above. */ FLAC__ChannelAssignment FLAC__stream_decoder_get_channel_assignment(const FLAC__StreamDecoder* decoder); /** Get the current sample resolution in the stream being decoded. * Will only be valid after decoding has started and will contain the * value from the most recently decoded frame header. * * \param decoder A decoder instance to query. * \assert * \code decoder != NULL \endcode * \retval uint * See above. */ uint FLAC__stream_decoder_get_bits_per_sample(const FLAC__StreamDecoder* decoder); /** Get the current sample rate in Hz of the stream being decoded. * Will only be valid after decoding has started and will contain the * value from the most recently decoded frame header. * * \param decoder A decoder instance to query. * \assert * \code decoder != NULL \endcode * \retval uint * See above. */ uint FLAC__stream_decoder_get_sample_rate(const FLAC__StreamDecoder* decoder); /** Get the current blocksize of the stream being decoded. * Will only be valid after decoding has started and will contain the * value from the most recently decoded frame header. * * \param decoder A decoder instance to query. * \assert * \code decoder != NULL \endcode * \retval uint * See above. */ uint FLAC__stream_decoder_get_blocksize(const FLAC__StreamDecoder* decoder); /** Returns the decoder's current read position within the stream. * The position is the byte offset from the start of the stream. * Bytes before this position have been fully decoded. Note that * there may still be undecoded bytes in the decoder's read FIFO. * The returned position is correct even after a seek. * * \warning This function currently only works for native FLAC, * not Ogg FLAC streams. * * \param decoder A decoder instance to query. * \param position Address at which to return the desired position. * \assert * \code decoder != NULL \endcode * \code position != NULL \endcode * \retval FLAC__bool * \c true if successful, \c false if the stream is not native FLAC, * or there was an error from the 'tell' callback or it returned * \c FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED. */ FLAC__bool FLAC__stream_decoder_get_decode_position(const FLAC__StreamDecoder* decoder, FLAC__uint64* position); /** Initialize the decoder instance to decode native FLAC streams. * * This flavor of initialization sets up the decoder to decode from a * native FLAC stream. I/O is performed via callbacks to the client. * For decoding from a plain file via filename or open FILE*, * FLAC__stream_decoder_init_file() and FLAC__stream_decoder_init_FILE() * provide a simpler interface. * * This function should be called after FLAC__stream_decoder_new() and * FLAC__stream_decoder_set_*() but before any of the * FLAC__stream_decoder_process_*() functions. Will set and return the * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA * if initialization succeeded. * * \param decoder An uninitialized decoder instance. * \param read_callback See FLAC__StreamDecoderReadCallback. This * pointer must not be \c NULL. * \param seek_callback See FLAC__StreamDecoderSeekCallback. This * pointer may be \c NULL if seeking is not * supported. If \a seek_callback is not \c NULL then a * \a tell_callback, \a length_callback, and \a eof_callback must also be supplied. * Alternatively, a dummy seek callback that just * returns \c FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED * may also be supplied, all though this is slightly * less efficient for the decoder. * \param tell_callback See FLAC__StreamDecoderTellCallback. This * pointer may be \c NULL if not supported by the client. If * \a seek_callback is not \c NULL then a * \a tell_callback must also be supplied. * Alternatively, a dummy tell callback that just * returns \c FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED * may also be supplied, all though this is slightly * less efficient for the decoder. * \param length_callback See FLAC__StreamDecoderLengthCallback. This * pointer may be \c NULL if not supported by the client. If * \a seek_callback is not \c NULL then a * \a length_callback must also be supplied. * Alternatively, a dummy length callback that just * returns \c FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED * may also be supplied, all though this is slightly * less efficient for the decoder. * \param eof_callback See FLAC__StreamDecoderEofCallback. This * pointer may be \c NULL if not supported by the client. If * \a seek_callback is not \c NULL then a * \a eof_callback must also be supplied. * Alternatively, a dummy length callback that just * returns \c false * may also be supplied, all though this is slightly * less efficient for the decoder. * \param write_callback See FLAC__StreamDecoderWriteCallback. This * pointer must not be \c NULL. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This * pointer may be \c NULL if the callback is not * desired. * \param error_callback See FLAC__StreamDecoderErrorCallback. This * pointer must not be \c NULL. * \param client_data This value will be supplied to callbacks in their * \a client_data argument. * \assert * \code decoder != NULL \endcode * \retval FLAC__StreamDecoderInitStatus * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful; * see FLAC__StreamDecoderInitStatus for the meanings of other return values. */ FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_stream( FLAC__StreamDecoder* decoder, FLAC__StreamDecoderReadCallback read_callback, FLAC__StreamDecoderSeekCallback seek_callback, FLAC__StreamDecoderTellCallback tell_callback, FLAC__StreamDecoderLengthCallback length_callback, FLAC__StreamDecoderEofCallback eof_callback, FLAC__StreamDecoderWriteCallback write_callback, FLAC__StreamDecoderMetadataCallback metadata_callback, FLAC__StreamDecoderErrorCallback error_callback, void* client_data ); /** Initialize the decoder instance to decode Ogg FLAC streams. * * This flavor of initialization sets up the decoder to decode from a * FLAC stream in an Ogg container. I/O is performed via callbacks to the * client. For decoding from a plain file via filename or open FILE*, * FLAC__stream_decoder_init_ogg_file() and FLAC__stream_decoder_init_ogg_FILE() * provide a simpler interface. * * This function should be called after FLAC__stream_decoder_new() and * FLAC__stream_decoder_set_*() but before any of the * FLAC__stream_decoder_process_*() functions. Will set and return the * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA * if initialization succeeded. * * \note Support for Ogg FLAC in the library is optional. If this * library has been built without support for Ogg FLAC, this function * will return \c FLAC__STREAM_DECODER_INIT_STATUS_UNSUPPORTED_CONTAINER. * * \param decoder An uninitialized decoder instance. * \param read_callback See FLAC__StreamDecoderReadCallback. This * pointer must not be \c NULL. * \param seek_callback See FLAC__StreamDecoderSeekCallback. This * pointer may be \c NULL if seeking is not * supported. If \a seek_callback is not \c NULL then a * \a tell_callback, \a length_callback, and \a eof_callback must also be supplied. * Alternatively, a dummy seek callback that just * returns \c FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED * may also be supplied, all though this is slightly * less efficient for the decoder. * \param tell_callback See FLAC__StreamDecoderTellCallback. This * pointer may be \c NULL if not supported by the client. If * \a seek_callback is not \c NULL then a * \a tell_callback must also be supplied. * Alternatively, a dummy tell callback that just * returns \c FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED * may also be supplied, all though this is slightly * less efficient for the decoder. * \param length_callback See FLAC__StreamDecoderLengthCallback. This * pointer may be \c NULL if not supported by the client. If * \a seek_callback is not \c NULL then a * \a length_callback must also be supplied. * Alternatively, a dummy length callback that just * returns \c FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED * may also be supplied, all though this is slightly * less efficient for the decoder. * \param eof_callback See FLAC__StreamDecoderEofCallback. This * pointer may be \c NULL if not supported by the client. If * \a seek_callback is not \c NULL then a * \a eof_callback must also be supplied. * Alternatively, a dummy length callback that just * returns \c false * may also be supplied, all though this is slightly * less efficient for the decoder. * \param write_callback See FLAC__StreamDecoderWriteCallback. This * pointer must not be \c NULL. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This * pointer may be \c NULL if the callback is not * desired. * \param error_callback See FLAC__StreamDecoderErrorCallback. This * pointer must not be \c NULL. * \param client_data This value will be supplied to callbacks in their * \a client_data argument. * \assert * \code decoder != NULL \endcode * \retval FLAC__StreamDecoderInitStatus * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful; * see FLAC__StreamDecoderInitStatus for the meanings of other return values. */ FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_ogg_stream( FLAC__StreamDecoder* decoder, FLAC__StreamDecoderReadCallback read_callback, FLAC__StreamDecoderSeekCallback seek_callback, FLAC__StreamDecoderTellCallback tell_callback, FLAC__StreamDecoderLengthCallback length_callback, FLAC__StreamDecoderEofCallback eof_callback, FLAC__StreamDecoderWriteCallback write_callback, FLAC__StreamDecoderMetadataCallback metadata_callback, FLAC__StreamDecoderErrorCallback error_callback, void* client_data ); /** Initialize the decoder instance to decode native FLAC files. * * This flavor of initialization sets up the decoder to decode from a * plain native FLAC file. For non-stdio streams, you must use * FLAC__stream_decoder_init_stream() and provide callbacks for the I/O. * * This function should be called after FLAC__stream_decoder_new() and * FLAC__stream_decoder_set_*() but before any of the * FLAC__stream_decoder_process_*() functions. Will set and return the * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA * if initialization succeeded. * * \param decoder An uninitialized decoder instance. * \param file An open FLAC file. The file should have been * opened with mode \c "rb" and rewound. The file * becomes owned by the decoder and should not be * manipulated by the client while decoding. * Unless \a file is \c stdin, it will be closed * when FLAC__stream_decoder_finish() is called. * Note however that seeking will not work when * decoding from \c stdout since it is not seekable. * \param write_callback See FLAC__StreamDecoderWriteCallback. This * pointer must not be \c NULL. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This * pointer may be \c NULL if the callback is not * desired. * \param error_callback See FLAC__StreamDecoderErrorCallback. This * pointer must not be \c NULL. * \param client_data This value will be supplied to callbacks in their * \a client_data argument. * \assert * \code decoder != NULL \endcode * \code file != NULL \endcode * \retval FLAC__StreamDecoderInitStatus * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful; * see FLAC__StreamDecoderInitStatus for the meanings of other return values. */ FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_FILE( FLAC__StreamDecoder *decoder, FILE* file, FLAC__StreamDecoderWriteCallback write_callback, FLAC__StreamDecoderMetadataCallback metadata_callback, FLAC__StreamDecoderErrorCallback error_callback, void* client_data ); /** Initialize the decoder instance to decode Ogg FLAC files. * * This flavor of initialization sets up the decoder to decode from a * plain Ogg FLAC file. For non-stdio streams, you must use * FLAC__stream_decoder_init_ogg_stream() and provide callbacks for the I/O. * * This function should be called after FLAC__stream_decoder_new() and * FLAC__stream_decoder_set_*() but before any of the * FLAC__stream_decoder_process_*() functions. Will set and return the * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA * if initialization succeeded. * * \note Support for Ogg FLAC in the library is optional. If this * library has been built without support for Ogg FLAC, this function * will return \c FLAC__STREAM_DECODER_INIT_STATUS_UNSUPPORTED_CONTAINER. * * \param decoder An uninitialized decoder instance. * \param file An open FLAC file. The file should have been * opened with mode \c "rb" and rewound. The file * becomes owned by the decoder and should not be * manipulated by the client while decoding. * Unless \a file is \c stdin, it will be closed * when FLAC__stream_decoder_finish() is called. * Note however that seeking will not work when * decoding from \c stdout since it is not seekable. * \param write_callback See FLAC__StreamDecoderWriteCallback. This * pointer must not be \c NULL. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This * pointer may be \c NULL if the callback is not * desired. * \param error_callback See FLAC__StreamDecoderErrorCallback. This * pointer must not be \c NULL. * \param client_data This value will be supplied to callbacks in their * \a client_data argument. * \assert * \code decoder != NULL \endcode * \code file != NULL \endcode * \retval FLAC__StreamDecoderInitStatus * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful; * see FLAC__StreamDecoderInitStatus for the meanings of other return values. */ FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_ogg_FILE( FLAC__StreamDecoder* decoder, FILE* file, FLAC__StreamDecoderWriteCallback write_callback, FLAC__StreamDecoderMetadataCallback metadata_callback, FLAC__StreamDecoderErrorCallback error_callback, void* client_data ); /** Initialize the decoder instance to decode native FLAC files. * * This flavor of initialization sets up the decoder to decode from a plain * native FLAC file. If POSIX fopen() semantics are not sufficient, (for * example, with Unicode filenames on Windows), you must use * FLAC__stream_decoder_init_FILE(), or FLAC__stream_decoder_init_stream() * and provide callbacks for the I/O. * * This function should be called after FLAC__stream_decoder_new() and * FLAC__stream_decoder_set_*() but before any of the * FLAC__stream_decoder_process_*() functions. Will set and return the * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA * if initialization succeeded. * * \param decoder An uninitialized decoder instance. * \param filename The name of the file to decode from. The file will * be opened with fopen(). Use \c NULL to decode from * \c stdin. Note that \c stdin is not seekable. * \param write_callback See FLAC__StreamDecoderWriteCallback. This * pointer must not be \c NULL. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This * pointer may be \c NULL if the callback is not * desired. * \param error_callback See FLAC__StreamDecoderErrorCallback. This * pointer must not be \c NULL. * \param client_data This value will be supplied to callbacks in their * \a client_data argument. * \assert * \code decoder != NULL \endcode * \retval FLAC__StreamDecoderInitStatus * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful; * see FLAC__StreamDecoderInitStatus for the meanings of other return values. */ FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_file( FLAC__StreamDecoder* decoder, const char* filename, FLAC__StreamDecoderWriteCallback write_callback, FLAC__StreamDecoderMetadataCallback metadata_callback, FLAC__StreamDecoderErrorCallback error_callback, void* client_data ); /** Initialize the decoder instance to decode Ogg FLAC files. * * This flavor of initialization sets up the decoder to decode from a plain * Ogg FLAC file. If POSIX fopen() semantics are not sufficient, (for * example, with Unicode filenames on Windows), you must use * FLAC__stream_decoder_init_ogg_FILE(), or FLAC__stream_decoder_init_ogg_stream() * and provide callbacks for the I/O. * * This function should be called after FLAC__stream_decoder_new() and * FLAC__stream_decoder_set_*() but before any of the * FLAC__stream_decoder_process_*() functions. Will set and return the * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA * if initialization succeeded. * * \note Support for Ogg FLAC in the library is optional. If this * library has been built without support for Ogg FLAC, this function * will return \c FLAC__STREAM_DECODER_INIT_STATUS_UNSUPPORTED_CONTAINER. * * \param decoder An uninitialized decoder instance. * \param filename The name of the file to decode from. The file will * be opened with fopen(). Use \c NULL to decode from * \c stdin. Note that \c stdin is not seekable. * \param write_callback See FLAC__StreamDecoderWriteCallback. This * pointer must not be \c NULL. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This * pointer may be \c NULL if the callback is not * desired. * \param error_callback See FLAC__StreamDecoderErrorCallback. This * pointer must not be \c NULL. * \param client_data This value will be supplied to callbacks in their * \a client_data argument. * \assert * \code decoder != NULL \endcode * \retval FLAC__StreamDecoderInitStatus * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful; * see FLAC__StreamDecoderInitStatus for the meanings of other return values. */ FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_ogg_file( FLAC__StreamDecoder *decoder, const char* filename, FLAC__StreamDecoderWriteCallback write_callback, FLAC__StreamDecoderMetadataCallback metadata_callback, FLAC__StreamDecoderErrorCallback error_callback, void* client_data ); /** Finish the decoding process. * Flushes the decoding buffer, releases resources, resets the decoder * settings to their defaults, and returns the decoder state to * FLAC__STREAM_DECODER_UNINITIALIZED. * * In the event of a prematurely-terminated decode, it is not strictly * necessary to call this immediately before FLAC__stream_decoder_delete() * but it is good practice to match every FLAC__stream_decoder_init_*() * with a FLAC__stream_decoder_finish(). * * \param decoder An uninitialized decoder instance. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c false if MD5 checking is on AND a STREAMINFO block was available * AND the MD5 signature in the STREAMINFO block was non-zero AND the * signature does not match the one computed by the decoder; else * \c true. */ FLAC__bool FLAC__stream_decoder_finish(FLAC__StreamDecoder* decoder); /** Flush the stream input. * The decoder's input buffer will be cleared and the state set to * \c FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC. This will also turn * off MD5 checking. * * \param decoder A decoder instance. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c true if successful, else \c false if a memory allocation * error occurs (in which case the state will be set to * \c FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR). */ FLAC__bool FLAC__stream_decoder_flush(FLAC__StreamDecoder* decoder); /** Reset the decoding process. * The decoder's input buffer will be cleared and the state set to * \c FLAC__STREAM_DECODER_SEARCH_FOR_METADATA. This is similar to * FLAC__stream_decoder_finish() except that the settings are * preserved; there is no need to call FLAC__stream_decoder_init_*() * before decoding again. MD5 checking will be restored to its original * setting. * * If the decoder is seekable, or was initialized with * FLAC__stream_decoder_init*_FILE() or FLAC__stream_decoder_init*_file(), * the decoder will also attempt to seek to the beginning of the file. * If this rewind fails, this function will return \c false. It follows * that FLAC__stream_decoder_reset() cannot be used when decoding from * \c stdin. * * If the decoder was initialized with FLAC__stream_encoder_init*_stream() * and is not seekable (i.e. no seek callback was provided or the seek * callback returns \c FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED), it * is the duty of the client to start feeding data from the beginning of * the stream on the next FLAC__stream_decoder_process() or * FLAC__stream_decoder_process_interleaved() call. * * \param decoder A decoder instance. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c true if successful, else \c false if a memory allocation occurs * (in which case the state will be set to * \c FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR) or a seek error * occurs (the state will be unchanged). */ FLAC__bool FLAC__stream_decoder_reset(FLAC__StreamDecoder* decoder); /** Decode one metadata block or audio frame. * This version instructs the decoder to decode a either a single metadata * block or a single frame and stop, unless the callbacks return a fatal * error or the read callback returns * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM. * * As the decoder needs more input it will call the read callback. * Depending on what was decoded, the metadata or write callback will be * called with the decoded metadata block or audio frame. * * Unless there is a fatal read error or end of stream, this function * will return once one whole frame is decoded. In other words, if the * stream is not synchronized or points to a corrupt frame header, the * decoder will continue to try and resync until it gets to a valid * frame, then decode one frame, then return. If the decoder points to * a frame whose frame CRC in the frame footer does not match the * computed frame CRC, this function will issue a * FLAC__STREAM_DECODER_ERROR_STATUS_FRAME_CRC_MISMATCH error to the * error callback, and return, having decoded one complete, although * corrupt, frame. (Such corrupted frames are sent as silence of the * correct length to the write callback.) * * \param decoder An initialized decoder instance. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c false if any fatal read, write, or memory allocation error * occurred (meaning decoding must stop), else \c true; for more * information about the decoder, check the decoder state with * FLAC__stream_decoder_get_state(). */ FLAC__bool FLAC__stream_decoder_process_single(FLAC__StreamDecoder* decoder); /** Decode until the end of the metadata. * This version instructs the decoder to decode from the current position * and continue until all the metadata has been read, or until the * callbacks return a fatal error or the read callback returns * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM. * * As the decoder needs more input it will call the read callback. * As each metadata block is decoded, the metadata callback will be called * with the decoded metadata. * * \param decoder An initialized decoder instance. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c false if any fatal read, write, or memory allocation error * occurred (meaning decoding must stop), else \c true; for more * information about the decoder, check the decoder state with * FLAC__stream_decoder_get_state(). */ FLAC__bool FLAC__stream_decoder_process_until_end_of_metadata(FLAC__StreamDecoder* decoder); /** Decode until the end of the stream. * This version instructs the decoder to decode from the current position * and continue until the end of stream (the read callback returns * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM), or until the * callbacks return a fatal error. * * As the decoder needs more input it will call the read callback. * As each metadata block and frame is decoded, the metadata or write * callback will be called with the decoded metadata or frame. * * \param decoder An initialized decoder instance. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c false if any fatal read, write, or memory allocation error * occurred (meaning decoding must stop), else \c true; for more * information about the decoder, check the decoder state with * FLAC__stream_decoder_get_state(). */ FLAC__bool FLAC__stream_decoder_process_until_end_of_stream(FLAC__StreamDecoder* decoder); /** Skip one audio frame. * This version instructs the decoder to 'skip' a single frame and stop, * unless the callbacks return a fatal error or the read callback returns * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM. * * The decoding flow is the same as what occurs when * FLAC__stream_decoder_process_single() is called to process an audio * frame, except that this function does not decode the parsed data into * PCM or call the write callback. The integrity of the frame is still * checked the same way as in the other process functions. * * This function will return once one whole frame is skipped, in the * same way that FLAC__stream_decoder_process_single() will return once * one whole frame is decoded. * * This function can be used in more quickly determining FLAC frame * boundaries when decoding of the actual data is not needed, for * example when an application is separating a FLAC stream into frames * for editing or storing in a container. To do this, the application * can use FLAC__stream_decoder_skip_single_frame() to quickly advance * to the next frame, then use * FLAC__stream_decoder_get_decode_position() to find the new frame * boundary. * * This function should only be called when the stream has advanced * past all the metadata, otherwise it will return \c false. * * \param decoder An initialized decoder instance not in a metadata * state. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c false if any fatal read, write, or memory allocation error * occurred (meaning decoding must stop), or if the decoder * is in the FLAC__STREAM_DECODER_SEARCH_FOR_METADATA or * FLAC__STREAM_DECODER_READ_METADATA state, else \c true; for more * information about the decoder, check the decoder state with * FLAC__stream_decoder_get_state(). */ FLAC__bool FLAC__stream_decoder_skip_single_frame(FLAC__StreamDecoder* decoder); /** Flush the input and seek to an absolute sample. * Decoding will resume at the given sample. Note that because of * this, the next write callback may contain a partial block. The * client must support seeking the input or this function will fail * and return \c false. Furthermore, if the decoder state is * \c FLAC__STREAM_DECODER_SEEK_ERROR, then the decoder must be flushed * with FLAC__stream_decoder_flush() or reset with * FLAC__stream_decoder_reset() before decoding can continue. * * \param decoder A decoder instance. * \param sample The target sample number to seek to. * \assert * \code decoder != NULL \endcode * \retval FLAC__bool * \c true if successful, else \c false. */ FLAC__bool FLAC__stream_decoder_seek_absolute(FLAC__StreamDecoder* decoder, FLAC__uint64 sample);
D
#!/usr/bin/env rdmd import std.stdio: writeln; import std.file; import std.path; import std.array; import std.algorithm: joiner; import std.process; import std.json; enum SOURCE_PATH = "./source/"; enum IS_SOURSE = 33188; enum COMPILER = "dmd"; class Config { private { string[] _libs; string nameApp; } this(string fileName){ auto json = parseJSON(readText(fileName)); foreach(lib ; json["libs"].array) { _libs ~= lib.str; } nameApp = json["nameApp"].str; } string[] getLibs() { return _libs; } string getNameApp() { return nameApp; } } void main() { auto config = new Config("build.json"); auto command = appender!(string[])(); command.put(COMPILER); foreach (string name; dirEntries(SOURCE_PATH, SpanMode.depth)) { if(isDir(name)) { continue; } if (getAttributes(name) != IS_SOURSE) { continue; } if(extension(name) != ".d") { continue; } command.put(name); } command.put("-of" ~ config.getNameApp()); foreach(lib ; config.getLibs()) { command.put("-L-l" ~ lib); } command.put("-unittest"); command.put("-g"); command.put("-debug"); writeln(command.data); auto pid = spawnProcess(command.data); if(wait(pid) != 0) { writeln("failed"); } else { writeln("complete"); } }
D
/* TEST_OUTPUT: --- fail_compilation/fail86.d(12): Error: alias Foo recursive alias declaration --- */ template Foo(TYPE) {} void main() { alias Foo!(int) Foo; }
D
# FIXED lab1-main.obj: ../lab1-main.c lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/std.h lab1-main.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdarg.h lab1-main.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_types.h lab1-main.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/cdefs.h lab1-main.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_types.h lab1-main.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stddef.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/arm/elf/std.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/arm/elf/M3.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/std.h lab1-main.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdint.h lab1-main.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/stdint.h lab1-main.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_stdint.h lab1-main.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_stdint.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/cfg/global.h lab1-main.obj: C:/Users/Avinash/Desktop/LUCA_WORKSPACE_MASTER/tirtos_lab1_cc2650launchxl/Debug/configPkg/package/cfg/flash_debug_pem3.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/System.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/xdc.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__prologue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/package.defs.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__epilogue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__prologue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Main_Module_GateProxy.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__epilogue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Memory.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Memory_HeapProxy.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__prologue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__prologue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__epilogue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__epilogue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS__prologue.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/package.defs.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/BIOS_RtsGateProxy.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS__epilogue.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/BIOS_RtsGateProxy.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task__prologue.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/package.defs.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__prologue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Text.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__epilogue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITaskSupport.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/package/package.defs.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITimer.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Clock_TimerProxy.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITimer.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Task_SupportProxy.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITaskSupport.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task__epilogue.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Task_SupportProxy.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Clock_TimerProxy.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event__prologue.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event__epilogue.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/PIN.h lab1-main.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdbool.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/pin/PINCC26XX.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/ioc.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_types.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_chip_def.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_memmap.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ioc.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ints.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/interrupt.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_nvic.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/debug.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/cpu.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_cpu_scs.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rom.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/gpio.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_gpio.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi__prologue.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/package/package.defs.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/IHwi.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h lab1-main.obj: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi__epilogue.h lab1-main.obj: ../Board.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/Power.h lab1-main.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/utils/List.h lab1-main.obj: ../CC2650_LAUNCHXL.h ../lab1-main.c: C:/ti/xdctools_3_32_00_06_core/packages/xdc/std.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdarg.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/cdefs.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stddef.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/arm/elf/std.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/arm/elf/M3.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/targets/std.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/machine/_stdint.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/sys/_stdint.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/cfg/global.h: C:/Users/Avinash/Desktop/LUCA_WORKSPACE_MASTER/tirtos_lab1_cc2650launchxl/Debug/configPkg/package/cfg/flash_debug_pem3.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/System.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/xdc.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Main_Module_GateProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Memory.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/Memory_HeapProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/ISystemSupport.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_SupportProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/package/System_Module_GateProxy.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS__prologue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/BIOS_RtsGateProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IGateProvider.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS__epilogue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/package/BIOS_RtsGateProxy.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task__prologue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Main.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Text.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log__epilogue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IHeap.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITaskSupport.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITimer.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Swi.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Clock_TimerProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITimer.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Task_SupportProxy.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/ITaskSupport.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task__epilogue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Task_SupportProxy.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/package/Clock_TimerProxy.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Semaphore.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event__prologue.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Queue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Clock.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Task.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/knl/Event__epilogue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/PIN.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_18.1.5.LTS/include/stdbool.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/pin/PINCC26XX.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/ioc.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_types.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_chip_def.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_memmap.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ioc.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ints.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/interrupt.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_nvic.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/debug.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/cpu.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_cpu_scs.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rom.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/gpio.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_gpio.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi__prologue.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/package/package.defs.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Diags.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Log.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Assert.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/BIOS.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/interfaces/IHwi.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Types.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IInstance.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/Error.h: C:/ti/xdctools_3_32_00_06_core/packages/xdc/runtime/IModule.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/bios_6_46_01_38/packages/ti/sysbios/family/arm/m3/Hwi__epilogue.h: ../Board.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/Power.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/tidrivers_cc13xx_cc26xx_2_20_01_10/packages/ti/drivers/utils/List.h: ../CC2650_LAUNCHXL.h:
D
/***********************************************************************\ * commdlg.d * * * * Windows API header module * * * * Translated from MinGW API for MS-Windows 3.12 * * * * Placed into public domain * \***********************************************************************/ module windows.commdlg; pragma(lib, "comdlg32"); private import windows.w32api; import windows.windef, windows.winuser; import windows.wingdi; // for LPLOGFONTA const TCHAR[] LBSELCHSTRING = "commdlg_LBSelChangedNotify", SHAREVISTRING = "commdlg_ShareViolation", FILEOKSTRING = "commdlg_FileNameOK", COLOROKSTRING = "commdlg_ColorOK", SETRGBSTRING = "commdlg_SetRGBColor", HELPMSGSTRING = "commdlg_help", FINDMSGSTRING = "commdlg_FindReplace"; enum : UINT { CDN_FIRST = -601, // also in commctrl.h CDN_LAST = -699, CDN_INITDONE = CDN_FIRST, CDN_SELCHANGE = CDN_FIRST - 1, CDN_FOLDERCHANGE = CDN_FIRST - 2, CDN_SHAREVIOLATION = CDN_FIRST - 3, CDN_HELP = CDN_FIRST - 4, CDN_FILEOK = CDN_FIRST - 5, CDN_TYPECHANGE = CDN_FIRST - 6, } static if(_WIN32_WINNT >= 0x500) { enum : UINT { CDN_INCLUDEITEM = CDN_FIRST - 7, } } enum : UINT { CDM_FIRST = WM_USER + 100, CDM_LAST = WM_USER + 200, CDM_GETSPEC = CDM_FIRST, CDM_GETFILEPATH, CDM_GETFOLDERPATH, CDM_GETFOLDERIDLIST, CDM_SETCONTROLTEXT, CDM_HIDECONTROL, CDM_SETDEFEXT // = CDM_FIRST + 6 } // flags for ChooseColor enum : DWORD { CC_RGBINIT = 0x0001, CC_FULLOPEN = 0x0002, CC_PREVENTFULLOPEN = 0x0004, CC_SHOWHELP = 0x0008, CC_ENABLEHOOK = 0x0010, CC_ENABLETEMPLATE = 0x0020, CC_ENABLETEMPLATEHANDLE = 0x0040, CC_SOLIDCOLOR = 0x0080, CC_ANYCOLOR = 0x0100 } // flags for ChooseFont enum : DWORD { CF_SCREENFONTS = 0x00000001, CF_PRINTERFONTS = 0x00000002, CF_BOTH = 0x00000003, CF_SHOWHELP = 0x00000004, CF_ENABLEHOOK = 0x00000008, CF_ENABLETEMPLATE = 0x00000010, CF_ENABLETEMPLATEHANDLE = 0x00000020, CF_INITTOLOGFONTSTRUCT = 0x00000040, CF_USESTYLE = 0x00000080, CF_EFFECTS = 0x00000100, CF_APPLY = 0x00000200, CF_ANSIONLY = 0x00000400, CF_SCRIPTSONLY = CF_ANSIONLY, CF_NOVECTORFONTS = 0x00000800, CF_NOOEMFONTS = 0x00000800, CF_NOSIMULATIONS = 0x00001000, CF_LIMITSIZE = 0x00002000, CF_FIXEDPITCHONLY = 0x00004000, CF_WYSIWYG = 0x00008000, CF_FORCEFONTEXIST = 0x00010000, CF_SCALABLEONLY = 0x00020000, CF_TTONLY = 0x00040000, CF_NOFACESEL = 0x00080000, CF_NOSTYLESEL = 0x00100000, CF_NOSIZESEL = 0x00200000, CF_SELECTSCRIPT = 0x00400000, CF_NOSCRIPTSEL = 0x00800000, CF_NOVERTFONTS = 0x01000000 } // Font type for ChooseFont enum : WORD { BOLD_FONTTYPE = 0x0100, ITALIC_FONTTYPE = 0x0200, REGULAR_FONTTYPE = 0x0400, SCREEN_FONTTYPE = 0x2000, PRINTER_FONTTYPE = 0x4000, SIMULATED_FONTTYPE = 0x8000 } enum : UINT { WM_CHOOSEFONT_GETLOGFONT = WM_USER + 1, WM_CHOOSEFONT_SETLOGFONT = WM_USER + 101, WM_CHOOSEFONT_SETFLAGS = WM_USER + 102 } // flags for OpenFileName enum : DWORD { OFN_SHAREWARN = 0, OFN_SHARENOWARN = 0x000001, OFN_READONLY = 0x000001, OFN_SHAREFALLTHROUGH = 0x000002, OFN_OVERWRITEPROMPT = 0x000002, OFN_HIDEREADONLY = 0x000004, OFN_NOCHANGEDIR = 0x000008, OFN_SHOWHELP = 0x000010, OFN_ENABLEHOOK = 0x000020, OFN_ENABLETEMPLATE = 0x000040, OFN_ENABLETEMPLATEHANDLE = 0x000080, OFN_NOVALIDATE = 0x000100, OFN_ALLOWMULTISELECT = 0x000200, OFN_EXTENSIONDIFFERENT = 0x000400, OFN_PATHMUSTEXIST = 0x000800, OFN_FILEMUSTEXIST = 0x001000, OFN_CREATEPROMPT = 0x002000, OFN_SHAREAWARE = 0x004000, OFN_NOREADONLYRETURN = 0x008000, OFN_NOTESTFILECREATE = 0x010000, OFN_NONETWORKBUTTON = 0x020000, OFN_NOLONGNAMES = 0x040000, OFN_EXPLORER = 0x080000, OFN_NODEREFERENCELINKS = 0x100000, OFN_LONGNAMES = 0x200000, OFN_ENABLESIZING = 0x800000 } enum : DWORD { FR_DOWN = 0x00000001, FR_WHOLEWORD = 0x00000002, FR_MATCHCASE = 0x00000004, FR_FINDNEXT = 0x00000008, FR_REPLACE = 0x00000010, FR_REPLACEALL = 0x00000020, FR_DIALOGTERM = 0x00000040, FR_SHOWHELP = 0x00000080, FR_ENABLEHOOK = 0x00000100, FR_ENABLETEMPLATE = 0x00000200, FR_NOUPDOWN = 0x00000400, FR_NOMATCHCASE = 0x00000800, FR_NOWHOLEWORD = 0x00001000, FR_ENABLETEMPLATEHANDLE = 0x00002000, FR_HIDEUPDOWN = 0x00004000, FR_HIDEMATCHCASE = 0x00008000, FR_HIDEWHOLEWORD = 0x00010000, FR_MATCHDIAC = 0x20000000, FR_MATCHKASHIDA = 0x40000000, FR_MATCHALEFHAMZA = 0x80000000 } enum : DWORD { PD_ALLPAGES = 0, PD_SELECTION = 0x000001, PD_PAGENUMS = 0x000002, PD_NOSELECTION = 0x000004, PD_NOPAGENUMS = 0x000008, PD_COLLATE = 0x000010, PD_PRINTTOFILE = 0x000020, PD_PRINTSETUP = 0x000040, PD_NOWARNING = 0x000080, PD_RETURNDC = 0x000100, PD_RETURNIC = 0x000200, PD_RETURNDEFAULT = 0x000400, PD_SHOWHELP = 0x000800, PD_ENABLEPRINTHOOK = 0x001000, PD_ENABLESETUPHOOK = 0x002000, PD_ENABLEPRINTTEMPLATE = 0x004000, PD_ENABLESETUPTEMPLATE = 0x008000, PD_ENABLEPRINTTEMPLATEHANDLE = 0x010000, PD_ENABLESETUPTEMPLATEHANDLE = 0x020000, PD_USEDEVMODECOPIES = 0x040000, PD_USEDEVMODECOPIESANDCOLLATE = 0x040000, PD_DISABLEPRINTTOFILE = 0x080000, PD_HIDEPRINTTOFILE = 0x100000, PD_NONETWORKBUTTON = 0x200000 } static if (_WIN32_WINNT >= 0x500) { enum : DWORD { PD_CURRENTPAGE = 0x00400000, PD_NOCURRENTPAGE = 0x00800000, PD_EXCLUSIONFLAGS = 0x01000000, PD_USELARGETEMPLATE = 0x10000000, } enum : HRESULT { PD_RESULT_CANCEL, PD_RESULT_PRINT, PD_RESULT_APPLY } const DWORD START_PAGE_GENERAL = 0xFFFFFFFF; } enum { PSD_DEFAULTMINMARGINS = 0, PSD_INWININIINTLMEASURE = 0, PSD_MINMARGINS = 0x000001, PSD_MARGINS = 0x000002, PSD_INTHOUSANDTHSOFINCHES = 0x000004, PSD_INHUNDREDTHSOFMILLIMETERS = 0x000008, PSD_DISABLEMARGINS = 0x000010, PSD_DISABLEPRINTER = 0x000020, PSD_NOWARNING = 0x000080, PSD_DISABLEORIENTATION = 0x000100, PSD_DISABLEPAPER = 0x000200, PSD_RETURNDEFAULT = 0x000400, PSD_SHOWHELP = 0x000800, PSD_ENABLEPAGESETUPHOOK = 0x002000, PSD_ENABLEPAGESETUPTEMPLATE = 0x008000, PSD_ENABLEPAGESETUPTEMPLATEHANDLE = 0x020000, PSD_ENABLEPAGEPAINTHOOK = 0x040000, PSD_DISABLEPAGEPAINTING = 0x080000 } enum : UINT { WM_PSD_PAGESETUPDLG = WM_USER, WM_PSD_FULLPAGERECT, WM_PSD_MINMARGINRECT, WM_PSD_MARGINRECT, WM_PSD_GREEKTEXTRECT, WM_PSD_ENVSTAMPRECT, WM_PSD_YAFULLPAGERECT // = WM_USER + 6 } enum : int { CD_LBSELNOITEMS = -1, CD_LBSELCHANGE, CD_LBSELSUB, CD_LBSELADD } const WORD DN_DEFAULTPRN = 1; /+ // Both MinGW and the windows docs indicate that there are macros for the send messages // the controls. These seem to be totally unnecessary -- and at least one of MinGW or // Windows Docs is buggy! int CommDlg_OpenSave_GetSpec(HWND hWndControl, LPARAM lparam, WPARAM wParam) { return SendMessage(hWndControl, CDM_GETSPEC, wParam, lParam); } int CommDlg_OpenSave_GetFilePath(HWND hWndControl, LPARAM lparam, WPARAM wParam) { return SendMessage(hWndControl, CDM_GETFILEPATH, wParam, lParam); } int CommDlg_OpenSave_GetFolderPath(HWND hWndControl, LPARAM lparam, WPARAM wParam) { return SendMessage(hWndControl, CDM_GETFOLDERPATH, wParam, lParam); } int CommDlg_OpenSave_GetFolderIDList(HWND hWndControl, LPARAM lparam, WPARAM wParam) { return SendMessage(hWndControl, CDM_GETFOLDERIDLIST, wParam, lParam); } void CommDlg_OpenSave_SetControlText(HWND hWndControl, LPARAM lparam, WPARAM wParam) { return SendMessage(hWndControl, CDM_SETCONTROLTEXT, wParam, lParam); } void CommDlg_OpenSave_HideControl(HWND hWndControl, WPARAM wParam) { return SendMessage(hWndControl, CDM_HIDECONTROL, wParam, 0); } void CommDlg_OpenSave_SetDefExt(HWND hWndControl, TCHAR* lparam) { return SendMessage(hWndControl, CDM_SETCONTROLTEXT, 0, cast(LPARAM)lParam); } // These aliases seem even more unnecessary alias CommDlg_OpenSave_GetSpec CommDlg_OpenSave_GetSpecA, CommDlg_OpenSave_GetSpecW; alias CommDlg_OpenSave_GetFilePath CommDlg_OpenSave_GetFilePathA, CommDlg_OpenSave_GetFilePathW; alias CommDlg_OpenSave_GetFolderPath CommDlg_OpenSave_GetFolderPathA, CommDlg_OpenSave_GetFolderPathW; +/ // Callbacks. extern(Windows) { alias UINT_PTR function (HWND, UINT, WPARAM, LPARAM) LPCCHOOKPROC, LPCFHOOKPROC, LPFRHOOKPROC, LPOFNHOOKPROC, LPPAGEPAINTHOOK, LPPAGESETUPHOOK, LPSETUPHOOKPROC, LPPRINTHOOKPROC; } align (1): struct CHOOSECOLORA { DWORD lStructSize = CHOOSECOLORA.sizeof; HWND hwndOwner; HWND hInstance; COLORREF rgbResult; COLORREF* lpCustColors; DWORD Flags; LPARAM lCustData; LPCCHOOKPROC lpfnHook; LPCSTR lpTemplateName; } alias CHOOSECOLORA* LPCHOOSECOLORA; struct CHOOSECOLORW { DWORD lStructSize = CHOOSECOLORW.sizeof; HWND hwndOwner; HWND hInstance; COLORREF rgbResult; COLORREF* lpCustColors; DWORD Flags; LPARAM lCustData; LPCCHOOKPROC lpfnHook; LPCWSTR lpTemplateName; } alias CHOOSECOLORW* LPCHOOSECOLORW; align (4) struct CHOOSEFONTA { DWORD lStructSize = CHOOSEFONTA.sizeof; HWND hwndOwner; HDC hDC; LPLOGFONTA lpLogFont; INT iPointSize; DWORD Flags; DWORD rgbColors; LPARAM lCustData; LPCFHOOKPROC lpfnHook; LPCSTR lpTemplateName; HINSTANCE hInstance; LPSTR lpszStyle; WORD nFontType; //WORD ___MISSING_ALIGNMENT__; INT nSizeMin; INT nSizeMax; } alias CHOOSEFONTA* LPCHOOSEFONTA; align (4) struct CHOOSEFONTW { DWORD lStructSize = CHOOSEFONTW.sizeof; HWND hwndOwner; HDC hDC; LPLOGFONTW lpLogFont; INT iPointSize; DWORD Flags; DWORD rgbColors; LPARAM lCustData; LPCFHOOKPROC lpfnHook; LPCWSTR lpTemplateName; HINSTANCE hInstance; LPWSTR lpszStyle; WORD nFontType; //WORD ___MISSING_ALIGNMENT__; INT nSizeMin; INT nSizeMax; } alias CHOOSEFONTW* LPCHOOSEFONTW; struct DEVNAMES { WORD wDriverOffset; WORD wDeviceOffset; WORD wOutputOffset; WORD wDefault; } alias DEVNAMES* LPDEVNAMES; struct FINDREPLACEA { DWORD lStructSize = FINDREPLACEA.sizeof; HWND hwndOwner; HINSTANCE hInstance; DWORD Flags; LPSTR lpstrFindWhat; LPSTR lpstrReplaceWith; WORD wFindWhatLen; WORD wReplaceWithLen; LPARAM lCustData; LPFRHOOKPROC lpfnHook; LPCSTR lpTemplateName; } alias FINDREPLACEA* LPFINDREPLACEA; struct FINDREPLACEW { DWORD lStructSize = FINDREPLACEW.sizeof; HWND hwndOwner; HINSTANCE hInstance; DWORD Flags; LPWSTR lpstrFindWhat; LPWSTR lpstrReplaceWith; WORD wFindWhatLen; WORD wReplaceWithLen; LPARAM lCustData; LPFRHOOKPROC lpfnHook; LPCWSTR lpTemplateName; } alias FINDREPLACEW* LPFINDREPLACEW; struct OPENFILENAMEA { DWORD lStructSize = OPENFILENAMEA.sizeof; HWND hwndOwner; HINSTANCE hInstance; LPCSTR lpstrFilter; LPSTR lpstrCustomFilter; DWORD nMaxCustFilter; DWORD nFilterIndex; LPSTR lpstrFile; DWORD nMaxFile; LPSTR lpstrFileTitle; DWORD nMaxFileTitle; LPCSTR lpstrInitialDir; LPCSTR lpstrTitle; DWORD Flags; WORD nFileOffset; WORD nFileExtension; LPCSTR lpstrDefExt; DWORD lCustData; LPOFNHOOKPROC lpfnHook; LPCSTR lpTemplateName; static if (_WIN32_WINNT >= 0x500) { void *pvReserved; DWORD dwReserved; DWORD FlagsEx; } } alias OPENFILENAMEA* LPOPENFILENAMEA; struct OPENFILENAMEW { DWORD lStructSize = OPENFILENAMEW.sizeof; HWND hwndOwner; HINSTANCE hInstance; LPCWSTR lpstrFilter; LPWSTR lpstrCustomFilter; DWORD nMaxCustFilter; DWORD nFilterIndex; LPWSTR lpstrFile; DWORD nMaxFile; LPWSTR lpstrFileTitle; DWORD nMaxFileTitle; LPCWSTR lpstrInitialDir; LPCWSTR lpstrTitle; DWORD Flags; WORD nFileOffset; WORD nFileExtension; LPCWSTR lpstrDefExt; DWORD lCustData; LPOFNHOOKPROC lpfnHook; LPCWSTR lpTemplateName; static if (_WIN32_WINNT >= 0x500) { void *pvReserved; DWORD dwReserved; DWORD FlagsEx; } } alias OPENFILENAMEW* LPOPENFILENAMEW; const size_t OPENFILENAME_SIZE_VERSION_400 = 76; struct OFNOTIFYA { NMHDR hdr; LPOPENFILENAMEA lpOFN; LPSTR pszFile; } alias OFNOTIFYA* LPOFNOTIFYA; struct OFNOTIFYW { NMHDR hdr; LPOPENFILENAMEW lpOFN; LPWSTR pszFile; } alias OFNOTIFYW* LPOFNOTIFYW; struct PAGESETUPDLGA { DWORD lStructSize = PAGESETUPDLGA.sizeof; HWND hwndOwner; HGLOBAL hDevMode; HGLOBAL hDevNames; DWORD Flags; POINT ptPaperSize; RECT rtMinMargin; RECT rtMargin; HINSTANCE hInstance; LPARAM lCustData; LPPAGESETUPHOOK lpfnPageSetupHook; LPPAGEPAINTHOOK lpfnPagePaintHook; LPCSTR lpPageSetupTemplateName; HGLOBAL hPageSetupTemplate; } alias PAGESETUPDLGA* LPPAGESETUPDLGA; struct PAGESETUPDLGW { DWORD lStructSize = PAGESETUPDLGW.sizeof; HWND hwndOwner; HGLOBAL hDevMode; HGLOBAL hDevNames; DWORD Flags; POINT ptPaperSize; RECT rtMinMargin; RECT rtMargin; HINSTANCE hInstance; LPARAM lCustData; LPPAGESETUPHOOK lpfnPageSetupHook; LPPAGEPAINTHOOK lpfnPagePaintHook; LPCWSTR lpPageSetupTemplateName; HGLOBAL hPageSetupTemplate; } alias PAGESETUPDLGW* LPPAGESETUPDLGW; struct PRINTDLGA { DWORD lStructSize = PRINTDLGA.sizeof; HWND hwndOwner; HANDLE hDevMode; HANDLE hDevNames; HDC hDC; DWORD Flags; WORD nFromPage; WORD nToPage; WORD nMinPage; WORD nMaxPage; WORD nCopies; HINSTANCE hInstance; DWORD lCustData; LPPRINTHOOKPROC lpfnPrintHook; LPSETUPHOOKPROC lpfnSetupHook; LPCSTR lpPrintTemplateName; LPCSTR lpSetupTemplateName; HANDLE hPrintTemplate; HANDLE hSetupTemplate; } alias PRINTDLGA* LPPRINTDLGA; struct PRINTDLGW { DWORD lStructSize = PRINTDLGW.sizeof; HWND hwndOwner; HANDLE hDevMode; HANDLE hDevNames; HDC hDC; DWORD Flags; WORD nFromPage; WORD nToPage; WORD nMinPage; WORD nMaxPage; WORD nCopies; HINSTANCE hInstance; DWORD lCustData; LPPRINTHOOKPROC lpfnPrintHook; LPSETUPHOOKPROC lpfnSetupHook; LPCWSTR lpPrintTemplateName; LPCWSTR lpSetupTemplateName; HANDLE hPrintTemplate; HANDLE hSetupTemplate; } alias PRINTDLGW* LPPRINTDLGW; static if (_WIN32_WINNT >= 0x500) { import windows.unknwn; // for LPUNKNOWN import windows.prsht; // for HPROPSHEETPAGE struct PRINTPAGERANGE { DWORD nFromPage; DWORD nToPage; } alias PRINTPAGERANGE* LPPRINTPAGERANGE; struct PRINTDLGEXA { DWORD lStructSize = PRINTDLGEXA.sizeof; HWND hwndOwner; HGLOBAL hDevMode; HGLOBAL hDevNames; HDC hDC; DWORD Flags; DWORD Flags2; DWORD ExclusionFlags; DWORD nPageRanges; DWORD nMaxPageRanges; LPPRINTPAGERANGE lpPageRanges; DWORD nMinPage; DWORD nMaxPage; DWORD nCopies; HINSTANCE hInstance; LPCSTR lpPrintTemplateName; LPUNKNOWN lpCallback; DWORD nPropertyPages; HPROPSHEETPAGE* lphPropertyPages; DWORD nStartPage; DWORD dwResultAction; } alias PRINTDLGEXA* LPPRINTDLGEXA; struct PRINTDLGEXW { DWORD lStructSize = PRINTDLGEXW.sizeof; HWND hwndOwner; HGLOBAL hDevMode; HGLOBAL hDevNames; HDC hDC; DWORD Flags; DWORD Flags2; DWORD ExclusionFlags; DWORD nPageRanges; DWORD nMaxPageRanges; LPPRINTPAGERANGE lpPageRanges; DWORD nMinPage; DWORD nMaxPage; DWORD nCopies; HINSTANCE hInstance; LPCWSTR lpPrintTemplateName; LPUNKNOWN lpCallback; DWORD nPropertyPages; HPROPSHEETPAGE* lphPropertyPages; DWORD nStartPage; DWORD dwResultAction; } alias PRINTDLGEXW* LPPRINTDLGEXW; } // _WIN32_WINNT >= 0x500 extern (Windows) { BOOL ChooseColorA(LPCHOOSECOLORA); BOOL ChooseColorW(LPCHOOSECOLORW); BOOL ChooseFontA(LPCHOOSEFONTA); BOOL ChooseFontW(LPCHOOSEFONTW); DWORD CommDlgExtendedError(); HWND FindTextA(LPFINDREPLACEA); HWND FindTextW(LPFINDREPLACEW); short GetFileTitleA(LPCSTR, LPSTR, WORD); short GetFileTitleW(LPCWSTR, LPWSTR, WORD); BOOL GetOpenFileNameA(LPOPENFILENAMEA); BOOL GetOpenFileNameW(LPOPENFILENAMEW); BOOL GetSaveFileNameA(LPOPENFILENAMEA); BOOL GetSaveFileNameW(LPOPENFILENAMEW); BOOL PageSetupDlgA(LPPAGESETUPDLGA); BOOL PageSetupDlgW(LPPAGESETUPDLGW); BOOL PrintDlgA(LPPRINTDLGA); BOOL PrintDlgW(LPPRINTDLGW); HWND ReplaceTextA(LPFINDREPLACEA); HWND ReplaceTextW(LPFINDREPLACEW); static if (_WIN32_WINNT >= 0x500) { HRESULT PrintDlgExA(LPPRINTDLGEXA); HRESULT PrintDlgExW(LPPRINTDLGEXW); } } version (Unicode) { alias CHOOSECOLORW CHOOSECOLOR; alias CHOOSEFONTW CHOOSEFONT; alias FINDREPLACEW FINDREPLACE; alias OPENFILENAMEW OPENFILENAME; alias OFNOTIFYW OFNOTIFY; alias PAGESETUPDLGW PAGESETUPDLG; alias PRINTDLGW PRINTDLG; alias ChooseColorW ChooseColor; alias ChooseFontW ChooseFont; alias FindTextW FindText; alias GetFileTitleW GetFileTitle; alias GetOpenFileNameW GetOpenFileName; alias GetSaveFileNameW GetSaveFileName; alias PageSetupDlgW PageSetupDlg; alias PrintDlgW PrintDlg; alias ReplaceTextW ReplaceText; static if (_WIN32_WINNT >= 0x500) { alias PRINTDLGEXW PRINTDLGEX; alias PrintDlgExW PrintDlgEx; } } else { // UNICODE alias CHOOSECOLORA CHOOSECOLOR; alias CHOOSEFONTA CHOOSEFONT; alias FINDREPLACEA FINDREPLACE; alias OPENFILENAMEA OPENFILENAME; alias OFNOTIFYA OFNOTIFY; alias PAGESETUPDLGA PAGESETUPDLG; alias PRINTDLGA PRINTDLG; alias ChooseColorA ChooseColor; alias ChooseFontA ChooseFont; alias FindTextA FindText; alias GetFileTitleA GetFileTitle; alias GetOpenFileNameA GetOpenFileName; alias GetSaveFileNameA GetSaveFileName; alias PageSetupDlgA PageSetupDlg; alias PrintDlgA PrintDlg; alias ReplaceTextA ReplaceText; static if (_WIN32_WINNT >= 0x500) { alias PRINTDLGEXA PRINTDLGEX; alias PrintDlgExA PrintDlgEx; } } // UNICODE alias CHOOSECOLOR* LPCHOOSECOLOR; alias CHOOSEFONT* LPCHOOSEFONT; alias FINDREPLACE* LPFINDREPLACE; alias OPENFILENAME* LPOPENFILENAME; alias OFNOTIFY* LPOFNOTIFY; alias PAGESETUPDLG* LPPAGESETUPDLG; alias PRINTDLG* LPPRINTDLG; static if (_WIN32_WINNT >= 0x500) { alias PRINTDLGEX* LPPRINTDLGEX; }
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="TEMP_8agm.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="TEMP_8agm.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
module UnrealScript.Engine.SkelControlWheel; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.Core.UObject; import UnrealScript.Engine.SkelControlSingleBone; extern(C++) interface SkelControlWheel : SkelControlSingleBone { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class Engine.SkelControlWheel")); } private static __gshared SkelControlWheel mDefaultProperties; @property final static SkelControlWheel DefaultProperties() { mixin(MGDPC("SkelControlWheel", "SkelControlWheel Engine.Default__SkelControlWheel")); } @property final { auto ref { float WheelSteering() { mixin(MGPC("float", 252)); } UObject.EAxis WheelSteeringAxis() { mixin(MGPC("UObject.EAxis", 249)); } UObject.EAxis WheelRollAxis() { mixin(MGPC("UObject.EAxis", 248)); } float WheelRoll() { mixin(MGPC("float", 244)); } float WheelMaxRenderDisplacement() { mixin(MGPC("float", 240)); } float WheelDisplacement() { mixin(MGPC("float", 236)); } } bool bInvertWheelSteering() { mixin(MGBPC(256, 0x2)); } bool bInvertWheelSteering(bool val) { mixin(MSBPC(256, 0x2)); } bool bInvertWheelRoll() { mixin(MGBPC(256, 0x1)); } bool bInvertWheelRoll(bool val) { mixin(MSBPC(256, 0x1)); } } }
D
module hunt.framework.provider.ConfigServiceProvider; import hunt.framework.application.HostEnvironment; import hunt.framework.config.ApplicationConfig; import hunt.framework.config.AuthUserConfig; import hunt.framework.config.ConfigManager; import hunt.framework.provider.ServiceProvider; import hunt.framework.Init; import hunt.framework.routing; import hunt.logging.ConsoleLogger; import poodinis; import std.array; import std.file; import std.path; import std.parallelism : totalCPUs; import std.process; import std.range; /** * */ class ConfigServiceProvider : ServiceProvider { private ApplicationConfig appConfig; override void register() { container.register!(ConfigManager).singleInstance(); registerApplicationConfig(); registerRouteConfigManager(); registerAuthUserConfig(); } protected void registerApplicationConfig() { container.register!ApplicationConfig.initializedBy(&buildAppConfig).singleInstance(); } private ApplicationConfig buildAppConfig() { ConfigManager configManager = container.resolve!(ConfigManager)(); ApplicationConfig appConfig = configManager.load!(ApplicationConfig); checkWorkerThreads(appConfig); // update the config item with the environment variable if it exists string value = environment.get(ENV_APP_NAME, ""); if(!value.empty) { appConfig.application.name = value; } // value = environment.get(ENV_APP_VERSION, ""); // if(!value.empty) { // appConfig.application.version = value; // } value = environment.get(ENV_APP_LANG, ""); if(!value.empty) { appConfig.application.defaultLanguage = value; } value = environment.get(ENV_APP_KEY, ""); if(!value.empty) { appConfig.application.secret = value; } return appConfig; } private void checkWorkerThreads(ApplicationConfig appConfig) { // Worker pool int minThreadCount = totalCPUs / 4 + 1; // if (appConfig.http.workerThreads == 0) // appConfig.http.workerThreads = minThreadCount; if (appConfig.http.workerThreads != 0 && appConfig.http.workerThreads < minThreadCount) { warningf("It's better to make the worker threads >= %d. The current value is: %d", minThreadCount, appConfig.http.workerThreads); // appConfig.http.workerThreads = minThreadCount; } if (appConfig.http.workerThreads == 1) { appConfig.http.workerThreads = 2; } if(appConfig.http.ioThreads <= 0) { appConfig.http.ioThreads = totalCPUs; } // 0 means to use the IO thread } protected void registerRouteConfigManager() { container.register!RouteConfigManager.initializedBy({ ConfigManager configManager = container.resolve!(ConfigManager)(); ApplicationConfig appConfig = container.resolve!(ApplicationConfig)(); RouteConfigManager routeConfig = new RouteConfigManager(appConfig); routeConfig.basePath = configManager.hostEnvironment.configPath(); return routeConfig; }); } protected void registerAuthUserConfig() { container.register!AuthUserConfig.initializedBy(() { string userConfigFile = buildPath(APP_PATH, DEFAULT_CONFIG_PATH, DEFAULT_USERS_CONFIG); string roleConfigFile = buildPath(APP_PATH, DEFAULT_CONFIG_PATH, DEFAULT_ROLES_CONFIG); AuthUserConfig config = AuthUserConfig.load(userConfigFile, roleConfigFile); return config; }).singleInstance(); } override void boot() { AuthUserConfig userConfig = container.resolve!(AuthUserConfig); } }
D
instance Mod_7302_UntoterMagier_AW (Npc_Default) { //-------- primary data -------- name = "Untoter Hohepriester"; Npctype = Npctype_UNTOTERMAGIER; guild = GIL_STRF; level = 25; voice = 0; id = 7302; //-------- abilities -------- B_SetAttributesToChapter (self, 4); //-------- visuals -------- // animations Mdl_SetVisual (self,"HUMANS.MDS"); Mdl_ApplyOverlayMds (self,"Humans_Relaxed.mds"); // body mesh ,bdytex,skin,head mesh ,headtex,teethtex,ruestung Mdl_SetVisualBody (self,"hum_body_Naked0", 15, 0,"Hum_Head_FatBald", 201, 1, ITAR_UntoterMagier); Mdl_SetModelFatness(self,0); B_SetFightSkills (self, 65); B_CreateAmbientInv (self); fight_tactic = FAI_HUMAN_STRONG; //-------- Talente -------- //-------- inventory -------- //-------------Daily Routine------------- daily_routine = Rtn_start_7302; //------------- //MISSIONs------------- }; FUNC VOID Rtn_start_7302 () { TA_Stand_WP (02,00,08,00,"ADW_PIRATECAMP_WAY_06"); TA_Stand_WP (08,00,02,00,"ADW_PIRATECAMP_WAY_06"); }; FUNC VOID Rtn_Verfolgung_7302 () { TA_Stand_WP (02,00,08,00,"TOT"); TA_Stand_WP (08,00,02,00,"TOT"); };
D
module behaviour.attack; import std.stdio; import game.actor; import game.level; import data.weaponlevels; import data.baseactors; import data.attacks; import data.anims; import data.collision; import behaviour.util; import util.random; public void attackBrigand(AnimIndex animIndex, Actor source) { attackRifle(&LEVELS_BRIGAND[source.getWeaponLevel()], source); } public void attackMercenary(AnimIndex animIndex, Actor source) { attackBallGun(&LEVELS_MERCENARY[source.getWeaponLevel()], source); } public void attackGentleman(AnimIndex animIndex, Actor source) { const WeaponLevelPistol* level = &LEVELS_GENTLEMAN[source.getWeaponLevel()]; Attack* attack; AnimIndex anim; int spacing = 8; int angle = source.getAngle(); if (angle == 2 || angle == 4 || angle == 6 || angle == 8) { spacing = 6; } for (int index; index < 3; index++) { if (index < level.goldCount) { anim = cast(AnimIndex)(AnimIndex.GENTLEMAN_2C - index); } else { anim = cast(AnimIndex)(AnimIndex.GENTLEMAN_1C - index); } throwProjectileSeries(anim, level.rows, 16, source, delegate void(bullet) { bullet.moveForward(bullet.getAngle(), spacing * index); bullet.setSpeed(15); attack = bullet.getAttack(); attack.distance = 14; if (index < 2) { bullet.setDeathType(DeathType.NONE); bullet.setCollisionGroup(CollideIndex.EMPTY); } else { bullet.setFlag(ActorFlags.PENETRATES); attack.damage = level.damage; } }); } } public void attackNavvie(AnimIndex animIndex, Actor source) { attackRifle(&LEVELS_NAVVIE[source.getWeaponLevel()], source); } public void attackThug(AnimIndex animIndex, Actor source) { attackBallGun(&LEVELS_THUG[source.getWeaponLevel()], source); } public void attackPreacher(AnimIndex animIndex, Actor source) { } private void attackRifle(const WeaponLevelRifle* level, Actor source) { Attack* attack; throwProjectileSeries(level.animIndex, level.count, 10, source, delegate void(bullet) { bullet.setSpeed(15); if (level.penetrates == true) { bullet.setFlag(ActorFlags.PENETRATES); } attack = bullet.getAttack(); attack.damage = level.damage; attack.distance = 10; }); } private void attackBallGun(const WeaponLevelBallGun* level, Actor source) { Actor bullet; Attack* attack; AnimIndex anim; int vX; int vY; int rX; int rY; // Calculate spread modifier value. // See ACHAOS 0x14A3A. short spreadA = level.spread & 0xf; short spreadB = cast(short)(1 << spreadA); spreadA = cast(short)(spreadB - 1); spreadB = spreadB >> 1; for (int index; index < level.count; index++) { if (index < level.goldCount) { anim = AnimIndex.MERCENARY_NAVVIE_1; } else { anim = AnimIndex.MERCENARY_NAVVIE_2; } // Throw from initial position. // See ACHAOS 0x14ACE. rX = cast(int)(getRandomUByte() & 7) - 4; rY = cast(int)(getRandomUByte() & 7) - 4; bullet = source.throwProjectile(anim, rX, rY); bullet.setSpeed(15); if (index < level.goldCount) { bullet.setFlag(ActorFlags.PENETRATES); } attack = bullet.getAttack(); attack.damage = level.damage; attack.distance = 11; if (level.hasDelay == true) { attack.delay = index; } // Modify velocity to add spread. // See ACHAOS 0x14A3A. rX = (cast(int)(getRandomUByte() & spreadA) - spreadB) >> 3; rY = (cast(int)(getRandomUByte() & spreadA) - spreadB) >> 3; bullet.getVelocity(vX, vY); switch(source.getAngle()) { case 1, 5: bullet.setVelocity(vX + rX, vY); break; case 2, 4, 6, 8: bullet.setVelocity(vX + rX, vY + rY); break; case 3, 7: bullet.setVelocity(vX, vY + rY); break; default: break; } } } public void attackThrow(AnimIndex animIndex, Actor source) { source.throwProjectile(animIndex); }
D
/* Copyright (c) 2019 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.resource.dds; import std.stdio; import std.file; import dlib.core.memory; import dlib.core.stream; import dlib.core.compound; import dlib.image.color; import dlib.image.image; import dlib.image.io.utils; import dagon.graphics.compressedimage; //version = DDSPDebug; struct DDSPixelFormat { uint size; uint flags; uint fourCC; uint bpp; uint redMask; uint greenMask; uint blueMask; uint alphaMask; } struct DDSCaps { uint caps; uint caps2; uint caps3; uint caps4; } struct DDSColorKey { uint lowVal; uint highVal; } struct DDSHeader { uint size; uint flags; uint height; uint width; uint pitch; uint depth; uint mipMapLevels; uint alphaBitDepth; uint reserved; uint surface; DDSColorKey ckDestOverlay; DDSColorKey ckDestBlt; DDSColorKey ckSrcOverlay; DDSColorKey ckSrcBlt; DDSPixelFormat format; DDSCaps caps; uint textureStage; } enum DXGIFormat { UNKNOWN = 0, R32G32B32A32_TYPELESS = 1, R32G32B32A32_FLOAT = 2, R32G32B32A32_UINT = 3, R32G32B32A32_SINT = 4, R32G32B32_TYPELESS = 5, R32G32B32_FLOAT = 6, R32G32B32_UINT = 7, R32G32B32_SINT = 8, R16G16B16A16_TYPELESS = 9, R16G16B16A16_FLOAT = 10, R16G16B16A16_UNORM = 11, R16G16B16A16_UINT = 12, R16G16B16A16_SNORM = 13, R16G16B16A16_SINT = 14, R32G32_TYPELESS = 15, R32G32_FLOAT = 16, R32G32_UINT = 17, R32G32_SINT = 18, R32G8X24_TYPELESS = 19, D32_FLOAT_S8X24_UINT = 20, R32_FLOAT_X8X24_TYPELESS = 21, X32_TYPELESS_G8X24_UINT = 22, R10G10B10A2_TYPELESS = 23, R10G10B10A2_UNORM = 24, R10G10B10A2_UINT = 25, R11G11B10_FLOAT = 26, R8G8B8A8_TYPELESS = 27, R8G8B8A8_UNORM = 28, R8G8B8A8_UNORM_SRGB = 29, R8G8B8A8_UINT = 30, R8G8B8A8_SNORM = 31, R8G8B8A8_SINT = 32, R16G16_TYPELESS = 33, R16G16_FLOAT = 34, R16G16_UNORM = 35, R16G16_UINT = 36, R16G16_SNORM = 37, R16G16_SINT = 38, R32_TYPELESS = 39, D32_FLOAT = 40, R32_FLOAT = 41, R32_UINT = 42, R32_SINT = 43, R24G8_TYPELESS = 44, D24_UNORM_S8_UINT = 45, R24_UNORM_X8_TYPELESS = 46, X24_TYPELESS_G8_UINT = 47, R8G8_TYPELESS = 48, R8G8_UNORM = 49, R8G8_UINT = 50, R8G8_SNORM = 51, R8G8_SINT = 52, R16_TYPELESS = 53, R16_FLOAT = 54, D16_UNORM = 55, R16_UNORM = 56, R16_UINT = 57, R16_SNORM = 58, R16_SINT = 59, R8_TYPELESS = 60, R8_UNORM = 61, R8_UINT = 62, R8_SNORM = 63, R8_SINT = 64, A8_UNORM = 65, R1_UNORM = 66, R9G9B9E5_SHAREDEXP = 67, R8G8_B8G8_UNORM = 68, G8R8_G8B8_UNORM = 69, BC1_TYPELESS = 70, BC1_UNORM = 71, BC1_UNORM_SRGB = 72, BC2_TYPELESS = 73, BC2_UNORM = 74, BC2_UNORM_SRGB = 75, BC3_TYPELESS = 76, BC3_UNORM = 77, BC3_UNORM_SRGB = 78, BC4_TYPELESS = 79, BC4_UNORM = 80, BC4_SNORM = 81, BC5_TYPELESS = 82, BC5_UNORM = 83, BC5_SNORM = 84, B5G6R5_UNORM = 85, B5G5R5A1_UNORM = 86, B8G8R8A8_UNORM = 87, B8G8R8X8_UNORM = 88, R10G10B10_XR_BIAS_A2_UNORM = 89, B8G8R8A8_TYPELESS = 90, B8G8R8A8_UNORM_SRGB = 91, B8G8R8X8_TYPELESS = 92, B8G8R8X8_UNORM_SRGB = 93, BC6H_TYPELESS = 94, BC6H_UF16 = 95, BC6H_SF16 = 96, BC7_TYPELESS = 97, BC7_UNORM = 98, BC7_UNORM_SRGB = 99, AYUV = 100, Y410 = 101, Y416 = 102, NV12 = 103, P010 = 104, P016 = 105, OPAQUE_420 = 106, YUY2 = 107, Y210 = 108, Y216 = 109, NV11 = 110, AI44 = 111, IA44 = 112, P8 = 113, A8P8 = 114, B4G4R4A4_UNORM = 115, P208 = 130, V208 = 131, V408 = 132 } enum D3D10ResourceDimension { Unknown, Buffer, Texture1D, Texture2D, Texture3D } struct DDSHeaderDXT10 { uint dxgiFormat; uint resourceDimension; uint miscFlag; uint arraySize; uint miscFlags2; } uint makeFourCC(char ch0, char ch1, char ch2, char ch3) { return ((cast(uint)ch3 << 24) & 0xFF000000) | ((cast(uint)ch2 << 16) & 0x00FF0000) | ((cast(uint)ch1 << 8) & 0x0000FF00) | ((cast(uint)ch0) & 0x000000FF); } enum FOURCC_DXT1 = makeFourCC('D', 'X', 'T', '1'); enum FOURCC_DXT3 = makeFourCC('D', 'X', 'T', '3'); enum FOURCC_DXT5 = makeFourCC('D', 'X', 'T', '5'); enum FOURCC_DX10 = makeFourCC('D', 'X', '1', '0'); Compound!(CompressedImage, string) loadDDS(InputStream istrm) { CompressedImage img = null; void finalize() { } Compound!(CompressedImage, string) error(string errorMsg) { finalize(); if (img) { Delete(img); img = null; } return compound(img, errorMsg); } char[4] magic; if (!istrm.fillArray(magic)) { return error("loadDDS error: not a DDS file or corrupt data"); } version(DDSDebug) { writeln("Signature: ", magic); } if (magic != "DDS ") { return error("loadDDS error: not a DDS file"); } DDSHeader hdr = readStruct!DDSHeader(istrm); version(DDSDebug) { writeln("hdr.size: ", hdr.size); writeln("hdr.flags: ", hdr.flags); writeln("hdr.height: ", hdr.height); writeln("hdr.width: ", hdr.width); writeln("hdr.pitch: ", hdr.pitch); writeln("hdr.depth: ", hdr.depth); writeln("hdr.mipMapLevels: ", hdr.mipMapLevels); writeln("hdr.alphaBitDepth: ", hdr.alphaBitDepth); writeln("hdr.reserved: ", hdr.reserved); writeln("hdr.surface: ", hdr.surface); writeln("hdr.ckDestOverlay.lowVal: ", hdr.ckDestOverlay.lowVal); writeln("hdr.ckDestOverlay.highVal: ", hdr.ckDestOverlay.highVal); writeln("hdr.ckDestBlt.lowVal: ", hdr.ckDestBlt.lowVal); writeln("hdr.ckDestBlt.highVal: ", hdr.ckDestBlt.highVal); writeln("hdr.ckSrcOverlay.lowVal: ", hdr.ckSrcOverlay.lowVal); writeln("hdr.ckSrcOverlay.highVal: ", hdr.ckSrcOverlay.highVal); writeln("hdr.ckSrcBlt.lowVal: ", hdr.ckSrcBlt.lowVal); writeln("hdr.ckSrcBlt.highVal: ", hdr.ckSrcBlt.highVal); writeln("hdr.format.size: ", hdr.format.size); writeln("hdr.format.flags: ", hdr.format.flags); writeln("hdr.format.fourCC: ", hdr.format.fourCC); writeln("hdr.format.bpp: ", hdr.format.bpp); writeln("hdr.format.redMask: ", hdr.format.redMask); writeln("hdr.format.greenMask: ", hdr.format.greenMask); writeln("hdr.format.blueMask: ", hdr.format.blueMask); writeln("hdr.format.alphaMask: ", hdr.format.alphaMask); writeln("hdr.caps.caps: ", hdr.caps.caps); writeln("hdr.caps.caps2: ", hdr.caps.caps2); writeln("hdr.caps.caps3: ", hdr.caps.caps3); writeln("hdr.caps.caps4: ", hdr.caps.caps4); writeln("hdr.textureStage: ", hdr.textureStage); } CompressedImageFormat format; if (hdr.format.fourCC == FOURCC_DX10) { DDSHeaderDXT10 dx10 = readStruct!DDSHeaderDXT10(istrm); DXGIFormat fmt = cast(DXGIFormat)dx10.dxgiFormat; version(DDSDebug) writeln(fmt); switch(fmt) { case DXGIFormat.BC4_UNORM: format = CompressedImageFormat.RGTC1_R; break; case DXGIFormat.BC4_SNORM: format = CompressedImageFormat.RGTC1_R_S; break; case DXGIFormat.BC5_UNORM: format = CompressedImageFormat.RGTC2_RG; break; case DXGIFormat.BC5_SNORM: format = CompressedImageFormat.RGTC2_RG_S; break; case DXGIFormat.BC7_UNORM: format = CompressedImageFormat.BPTC_RGBA_UNORM; break; case DXGIFormat.BC7_UNORM_SRGB: format = CompressedImageFormat.BPTC_SRGBA_UNORM; break; case DXGIFormat.BC6H_SF16: format = CompressedImageFormat.BPTC_RGB_SF; break; case DXGIFormat.BC6H_UF16: format = CompressedImageFormat.BPTC_RGB_UF; break; default: return error("loadDDS error: unsupported compression type"); } } else { switch(hdr.format.fourCC) { case FOURCC_DXT1: version(DDSDebug) writeln("FOURCC_DXT1"); format = CompressedImageFormat.S3TC_RGB_DXT1; break; case FOURCC_DXT3: version(DDSDebug) writeln("FOURCC_DXT3"); format = CompressedImageFormat.S3TC_RGBA_DXT3; break; case FOURCC_DXT5: version(DDSDebug) writeln("FOURCC_DXT5"); format = CompressedImageFormat.S3TC_RGBA_DXT5; break; default: return error("loadDDS error: unsupported compression type"); } } size_t bufferSize = cast(size_t)(istrm.size - istrm.getPosition); version(DDSDebug) writeln("bufferSize: ", bufferSize); img = New!CompressedImage(hdr.width, hdr.height, format, hdr.mipMapLevels, bufferSize); istrm.readBytes(img.data.ptr, bufferSize); return compound(img, ""); }
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.sdl.macinit.NSMenuItem; version(DigitalMars) version(OSX) version = darwin; version (darwin): import derelict.sdl.macinit.ID; import derelict.sdl.macinit.NSGeometry; import derelict.sdl.macinit.NSMenu; import derelict.sdl.macinit.NSObject; import derelict.sdl.macinit.NSString; import derelict.sdl.macinit.runtime; import derelict.sdl.macinit.selectors; import derelict.sdl.macinit.string; import derelict.util.compat; package: class NSMenuItem : NSObject { this () { id_ = null; } this (id id_) { this.id_ = id_; } static NSMenuItem alloc () { id result = objc_msgSend(cast(id)class_, sel_alloc); return result ? new NSMenuItem(result) : null; } static Class class_ () { return cast(Class) objc_getClass!(this.stringof); } NSMenuItem init () { id result = objc_msgSend(this.id_, sel_init); return result ? this : null; } static NSMenuItem separatorItem () { id result = objc_msgSend(class_NSMenuItem, sel_separatorItem); return result ? new NSMenuItem(result) : null; } NSMenuItem initWithTitle (NSString itemName, SEL anAction, NSString charCode) { id result = objc_msgSend(this.id_, sel_initWithTitle_action_keyEquivalent, itemName ? itemName.id_ : null, anAction, charCode ? charCode.id_ : null); return result ? new NSMenuItem(result) : null; } NSString title () { id result = objc_msgSend(this.id_, sel_title); return result ? new NSString(result) : null; } void setTitle (NSString str) { objc_msgSend(this.id_, sel_setTitle, str ? str.id_ : null); } bool hasSubmenu () { return objc_msgSend(this.id_, sel_hasSubmenu) !is null; } NSMenu submenu () { id result = objc_msgSend(this.id_, sel_submenu); return result ? new NSMenu(result) : null; } void setKeyEquivalentModifierMask (NSUInteger mask) { objc_msgSend(this.id_, sel_setKeyEquivalentModifierMask, mask); } void setSubmenu (NSMenu submenu) { objc_msgSend(this.id_, sel_setSubmenu, submenu ? submenu.id_ : null); } }
D
//I primarily use pure duck typing, gaint todo template ismachine(T){ static if(true /*has get and poke*/){ alias ismachine=true; }} template ispropermachine(T){ static if(true /*doesnt have alias get this, or ++ overloaded*/){ alias ispropermachine=false; }} template takesinput(T){ static if(true /*has +=*/){ alias takesinput=true; }} template primarydata(T){ //the return type of get } template inputtypes(T){ //types that the overload += work with } template ismertic(T){ //has lerp, add, others? hasmetricfunctions=true; //isbullshit for isnan for floats? uninitalized states? divide by zeros? }
D
/Users/taharahiroki/secret_account_test/target/debug/deps/fixed_hash-e7f7b4774cb51c68.rmeta: /Users/taharahiroki/.cargo/registry/src/github.com-1ecc6299db9ec823/fixed-hash-0.3.2/src/lib.rs /Users/taharahiroki/.cargo/registry/src/github.com-1ecc6299db9ec823/fixed-hash-0.3.2/src/hash.rs /Users/taharahiroki/secret_account_test/target/debug/deps/libfixed_hash-e7f7b4774cb51c68.rlib: /Users/taharahiroki/.cargo/registry/src/github.com-1ecc6299db9ec823/fixed-hash-0.3.2/src/lib.rs /Users/taharahiroki/.cargo/registry/src/github.com-1ecc6299db9ec823/fixed-hash-0.3.2/src/hash.rs /Users/taharahiroki/secret_account_test/target/debug/deps/fixed_hash-e7f7b4774cb51c68.d: /Users/taharahiroki/.cargo/registry/src/github.com-1ecc6299db9ec823/fixed-hash-0.3.2/src/lib.rs /Users/taharahiroki/.cargo/registry/src/github.com-1ecc6299db9ec823/fixed-hash-0.3.2/src/hash.rs /Users/taharahiroki/.cargo/registry/src/github.com-1ecc6299db9ec823/fixed-hash-0.3.2/src/lib.rs: /Users/taharahiroki/.cargo/registry/src/github.com-1ecc6299db9ec823/fixed-hash-0.3.2/src/hash.rs:
D
Chinese tree cultivated especially in Philippines and India for its edible fruit Chinese fruit having a thin brittle shell enclosing a sweet jellylike pulp and a single seed
D
/** * Copyright: Copyright Jason White, 2014-2016 * License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). * Authors: Jason White * * TODO: Get this working on Windows. * * Synopsis: * --- * // Creates a 1 GiB file containing random data. * import io.file; * import std.parallelism : parallel; * auto f = File("big_random_file.dat", FileFlags.writeNew); * f.length = 1024^^3; // 1 GiB * * auto map = f.memoryMap!size_t(Access.write); * foreach (i, ref e; parallel(map[])) * e = uniform!"[]"(size_t.min, size_t.max); * --- */ module io.file.mmap; public import io.file.stream; version (Posix) { import core.sys.posix.sys.mman; // Converts file access flags to POSIX protection flags. private @property int protectionFlags(Access access) pure nothrow { int flags = PROT_NONE; if (access & Access.read) flags |= PROT_READ; if (access & Access.write) flags |= PROT_WRITE; if (access & Access.execute) flags |= PROT_EXEC; return flags; } } else version (Windows) { import std.c.windows.windows; enum FILE_MAP_EXECUTE = 0x0020; // Converts file access flags to Windows protection flags. private @property DWORD protectionFlags(Access access) pure nothrow { switch (access) { case Access.read: return PAGE_READONLY; case Access.write: return PAGE_READWRITE; case Access.readWrite: return PAGE_READWRITE; case Access.read | Access.execute: return PAGE_EXECUTE_READ; case Access.write | Access.execute: return PAGE_EXECUTE_READWRITE; case Access.readWrite | Access.execute: return PAGE_EXECUTE_READWRITE; default: return PAGE_READONLY; } } // Converts file access flags to Windows MapViewOfFileEx flags private @property DWORD mapViewFlags(Access access) pure nothrow { DWORD flags = 0; if (access & Access.read) flags |= FILE_MAP_READ; if (access & Access.write) flags |= FILE_MAP_WRITE; if (access & Access.execute) flags |= FILE_MAP_EXECUTE; return flags; } } else { static assert(false, "Not implemented on this platform."); } /** * A memory mapped file. This essentially allows a file to be used as if it were * a slice of memory. For many use cases, it is a very efficient means of * accessing a file. */ private struct MemoryMapImpl(T) { // Memory mapped data. T[] data; alias data this; version (Windows) private HANDLE fileMap = null; /** * Maps the contents of the specified file into memory. * * Params: * file = Open file to be mapped. The file may be closed after being * mapped to memory. The file must not be a terminal or a pipe. It * must have random access capabilities. * access = Access flags of the memory region. Read-only access by * default. * length = Length of the memory map in number of $(D T). If 0, the length * is taken to be the size of the file. 0 by default. * start = Offset within the file to start the mapping in bytes. 0 by * default. * share = If true, changes are visible to other processes. If false, * changes are not visible to other processes and are never * written back to the file. True by default. * address = The preferred memory address to map the file to. This is just * a hint, the system is may or may not use this address. If * null, the system chooses an appropriate address. Null by * default. * * Throws: SysException if the memory map could not be created. */ this(File file, Access access = Access.read, size_t length = 0, File.Offset start = 0, bool share = true, void* address = null) { import std.conv : to; if (length == 0) length = (file.length - start).to!size_t / T.sizeof; version (Posix) { int flags = share ? MAP_SHARED : MAP_PRIVATE; auto p = cast(T*)mmap( address, // Preferred base address length * T.sizeof, // Length of the memory map access.protectionFlags, // Protection flags flags, // Mapping flags file.handle, // File descriptor cast(off_t)start // Offset within the file ); sysEnforce(p != MAP_FAILED, "Failed to map file to memory"); data = p[0 .. length]; } else version (Windows) { immutable ULARGE_INTEGER maxSize = {QuadPart: cast(ulong)(length * T.sizeof)}; // Create the file mapping object fileMap = CreateFileMappingW( file.handle, // File handle null, // Security attributes access.protectionFlags, // Page protection flags maxSize.HighPart, // Maximum size (high-order bytes) maxSize.LowPart, // Maximum size (low-order bytes) null // Optional name to give the object ); sysEnforce(fileMap, "Failed to create file mapping object"); scope(failure) CloseHandle(fileMap); immutable ULARGE_INTEGER offset = {QuadPart: cast(ulong)start}; // Create a view into the file mapping auto p = cast(T*)MapViewOfFileEx( fileMap, // File mapping object access.mapViewFlags, // Desired access offset.HighPart, // File offset (high-order bytes) offset.LowPart, // File offset (low-order bytes) length * T.sizeof, // Number of bytes to map address, // Preferred base address ); sysEnforce(p, "Failed to map file to memory"); data = p[0 .. length]; } } /** * An anonymous mapping. An anonymous mapping is not backed by any file. Its * contents are initialized to 0. This is equivalent to allocating memory. */ /*this(Access access, size_t length, bool share = true, void* address = null) { version (Posix) { int flags = MAP_ANON | (share ? MAP_SHARED : MAP_PRIVATE); void *p = mmap(address, length, prot(access), flags, -1, 0); sysEnforce(p != MAP_FAILED, "Failed to memory map file"); data = p[0 .. length]; } }*/ /** * Unmaps the file from memory and writes back any changes to the file * system. */ ~this() { if (data is null) return; version (Posix) { sysEnforce( munmap(data.ptr, data.length * T.sizeof) == 0, "Failed to unmap memory" ); } else version (Windows) { sysEnforce( UnmapViewOfFile(data.ptr) != 0, "Failed to unmap memory" ); sysEnforce( CloseHandle(fileMap), "Failed to close file map object handle" ); } } /*void remap(size_t length, size_t offset = 0, bool share = true) { version (Posix) { int flags = (share ? MAP_SHARED : MAP_PRIVATE); void *p = mremap(data.ptr, data.length, length, flags); sysEnforce(ret == 0, "Failed to remap memory"); } }*/ /** * Synchronously writes any pending changes to the file on the file system. */ void flush() { version (Posix) { sysEnforce( msync(data.ptr, data.length * T.sizeof, MS_SYNC) == 0, "Failed to flush memory map" ); } else version (Windows) { // TODO: Make this synchronous sysEnforce( FlushViewOfFile(data.ptr, data.length * T.sizeof) != 0, "Failed to flush memory map" ); } } /** * Asynchronously writes any pending changes to the file on the file system. */ void flushAsync() { version (Posix) { sysEnforce( msync(data.ptr, data.length * T.sizeof, MS_ASYNC) == 0, "Failed to flush memory map" ); } else version (Windows) { sysEnforce( FlushViewOfFile(data.ptr, data.length * T.sizeof) != 0, "Failed to flush memory map" ); } } // Disable appends. It is possible to use mremap() on Linux to extend (or // contract) the length of the map. However, this is not a portable feature. @disable void opOpAssign(string op = "~")(const(T)[] rhs); } import std.typecons; alias MemoryMap(T) = RefCounted!(MemoryMapImpl!T, RefCountedAutoInitialize.no); /** * Convenience function for creating a memory map. */ auto memoryMap(T)(File file, Access access = Access.read, size_t length = 0, File.Offset start = 0, bool share = true, void* address = null) { return MemoryMap!T(file, access, length, start, share, address); } /// unittest { auto tf = testFile(); immutable newData = "The quick brown fox jumps over the lazy dog."; // Modify the file { auto f = File(tf.name, FileFlags.readWriteEmpty); f.length = newData.length; auto map = f.memoryMap!char(Access.readWrite); assert(map.length == newData.length); map[] = newData[]; assert(map[0 .. newData.length] == newData[]); } // Read the file back in { auto f = File(tf.name, FileFlags.readExisting); auto map = f.memoryMap!char(Access.read); assert(map.length == newData.length); assert(map[0 .. newData.length] == newData[]); } } unittest { import std.range : ElementType; static assert(is(ElementType!(MemoryMap!size_t) == size_t)); } unittest { import std.exception; auto tf = testFile(); auto f = File(tf.name, FileFlags.readWriteEmpty); assert(f.length == 0); assert(collectException!SysException(f.memoryMap!char(Access.readWrite))); } unittest { import io.file.temp; immutable int[] data = [4, 8, 15, 16, 23, 42]; auto f = tempFile.file; f.length = data.length * int.sizeof; auto map = f.memoryMap!int(Access.readWrite); map[] = data; assert(map[] == data); assert(map ~ [100, 200] == data ~ [100, 200]); } unittest { import io.file.temp; import std.parallelism, std.random; immutable N = 1024; auto f = tempFile.file; f.length = size_t.sizeof * N; auto map = f.memoryMap!size_t(Access.readWrite); assert(map.length == N); foreach (i, ref e; parallel(map[])) e = uniform!"[]"(size_t.min, size_t.max); }
D
INSTANCE Monster_11047_DemonWolf_EIS (Npc_Default) { // ------ NSC ------ name = "Dämonischer Wolf"; guild = GIL_DEMON; id = 11047; voice = 20; flags = 0; npctype = NPCTYPE_MAIN; effect = "SPELLFX_DARKARMOR"; level = 30; //----- Attribute ---- attribute [ATR_STRENGTH] = 200; attribute [ATR_DEXTERITY] = 30; attribute [ATR_HITPOINTS_MAX] = 360; attribute [ATR_HITPOINTS] = 360; attribute [ATR_MANA_MAX] = 0; attribute [ATR_MANA] = 0; self.aivar[AIV_Damage] = self.attribute[ATR_HITPOINTS]; //----- Protections ---- protection [PROT_BLUNT] = 3000; protection [PROT_EDGE] = 3000; protection [PROT_POINT] = 1000; protection [PROT_FIRE] = 30; protection [PROT_FLY] = 30; protection [PROT_MAGIC] = 0; //---- Damage Types ---- damagetype = DAM_EDGE; // ------ Equippte Waffen ------ fight_tactic = FAI_WOLF; aivar[AIV_FightDistCancel] = FIGHT_DIST_CANCEL; senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL; senses_range = PERC_DIST_MONSTER_ACTIVE_MAX; aivar[AIV_MM_FollowTime] = FOLLOWTIME_MEDIUM; aivar[AIV_MM_FollowInWater] = TRUE; aivar[AIV_MM_Packhunter] = FALSE; Npc_SetToFistMode(self); // ------ Inventory ------ // ------ visuals ------ Mdl_SetVisual (self,"Wolf.mds"); // Body-Mesh Body-Tex Skin-Color Head-MMS Head-Tex Teeth-Tex ARMOR Mdl_SetVisualBody (self, "DemonWolf_Body", DEFAULT, DEFAULT, "", DEFAULT, DEFAULT, -1); Mdl_SetModelScale(self, 1.5, 1.5, 1.5); // ------ NSC-relevante Talente vergeben ------ B_GiveNpcTalents (self); // ------ Kampf-Talente ------ // ------ TA anmelden ------ daily_routine = Rtn_Start_11047; }; FUNC VOID Rtn_Start_11047 () { TA_Roam (08,00,22,00,"EIS_258"); TA_Roam (22,00,08,00,"EIS_258"); }; FUNC VOID Rtn_Tot_11047 () { TA_Roam (08,00,22,00,"TOT"); TA_Roam (22,00,08,00,"TOT"); };
D
module sand; public import sand.api;
D
/** * Font module. * * License: * MIT. See LICENSE for full details. */ module tkd.widget.common.font; /** * These are common commands that apply to all widgets that have them injected. */ mixin template Font() { import std.array : join; import std.conv : to; import tkd.element.fontstyle; import std.string; /** * Set the font and style for the widget. * * Params: * font = The name of the font like 'Arial' or 'arial'. * size = The size of the font like '12'. * styles = The different font styles. * * Returns: * This widget to aid method chaining. * * Example: * --- * widget.setFont("PragmataPro", 10, FontStyle.bold, FontStyle.italic); * --- * * See_Also: * $(LINK2 ../../element/fontstyle.html, tkd.element.fontstyle) for font styles. */ public auto setFont(this T)(string font, int size, FontStyle[] styles...) { this._tk.eval("%s configure -font {{%s} %s %s}", this.id, font, size, styles.to!(string[]).join(" ")); return cast(T) this; } /** * Set the font and style for the widget via a simple string. * This method is exists to set the font using the output of the font dialog. * * Params: * fontInfo = The output of the file dialog. * * Returns: * This widget to aid method chaining. * * Example: * --- * auto dialog = new FontDialog("Choose a font") * .setCommand(delegate(CommandArgs args){ * widget.setFont(args.dialog.font); * }) * .show(); * --- * See_Also: * $(LINK2 ../../window/dialog/fontdialog.html, tkd.window.dialog.fontdialog) for how to recieve output. */ public auto setFont(this T)(string fontInfo) { this._tk.eval("%s configure -font {%s}", this.id, fontInfo); return cast(T) this; } public string getFont() { this._tk.eval(format("%s cget -font", this.id)); if (this._tk.getResult!(string).empty()) { this._tk.eval(format("winfo font %s", this.id)); } return this._tk.getResult!(string); } }
D
module staticscan; import std.typetuple; /** Gives the TypeTuple resulting from the successive applications of F to reduce the T list. */ template StaticScan(alias F, T...) { static if (T.length == 0) alias TypeTuple!() StaticScan; // This case should never happen with normal use static if (T.length == 1) alias TypeTuple!(T[0]) StaticScan; else alias TypeTuple!(T[0], StaticScan!(F, F!(T[0], T[1]), T[2..$])) StaticScan; }
D
instance Mod_7051_DMR_Daemonenritter_MT (Npc_Default) { // ------ NSC ------ name = "Dämonenritter"; guild = GIL_KDF; id = 7051; voice = 0; flags = 0; npctype = NPCTYPE_MAIN; // ------ Attribute ------ B_SetAttributesToChapter (self, 5); // ------ Kampf-Taktik ------ fight_tactic = FAI_HUMAN_MASTER; // ------ Equippte Waffen ------ EquipItem (self, ItMw_1h_Mil_Sword); // ------ Inventory ------ B_CreateAmbientInv (self); // ------ visuals ------ B_SetNpcVisual (self, MALE, "Hum_Head_FatBald", Face_N_Normal06, BodyTex_N,ITAR_Raven_Addon); Mdl_SetModelFatness (self,2); Mdl_ApplyOverlayMds (self, "Humans_Relaxed.mds"); // ------ NSC-relevante Talente vergeben ------ B_GiveNpcTalents (self); // ------ Kampf-Talente ------ B_SetFightSkills (self, 80); // ------ TA anmelden ------ daily_routine = Rtn_Start_7051; }; FUNC VOID Rtn_Start_7051() { TA_Stand_WP (08,00,23,00,"OW_PATH_1_16"); TA_Stand_WP (23,00,08,00,"OW_PATH_1_16"); };
D
<!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/print_pagelayout.tpl (design:print_pagelayout.tpl) --> <?xml version="1.0" encoding="utf-8"?> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="da" lang="da"> <!-- Mirrored from www.sik.dk/layout/set/print/layout/set/print/layout/set/print/layout/set/print/layout/set/print/layout/set/print/Virksomhed/Tatoveringsregler/Registrering-og-tilsyn/Registreringskrav-for-tatoveringssteder by HTTrack Website Copier/3.x [XR&CO'2014], Tue, 30 Oct 2018 16:21:15 GMT --> <!-- Added by HTTrack --><meta http-equiv="content-type" content="text/html;charset=utf-8" /><!-- /Added by HTTrack --> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <title> Registreringskrav for tatoveringssteder / Registrering og tilsyn / Tatoveringsregler / Virksomhed </title> <link rel="stylesheet" type="text/css" href="../../../../../../../../../../../../../../../../../../../../../var/plain_site/cache/public/stylesheets/d1c07eda9c326cad6c76c6c8b63b157a_all.css" /> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/html/header/javascript.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/html/header/javascript.tpl) --> <script type="text/javascript"> var bc_test = true; </script> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/html/header/javascript.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/html/header/javascript.tpl) --> <!--[if lt IE 8]> <style type="text/css" media="print"> @import url("/design/design_2013/stylesheets/ie6-print.css"); </style> <![endif]--> </head> <body onload="window.print();" id="print-layout"> <img src="../../../../../../../../../../../../../../../../../../../../../extension/sikkerhedsstyrelsen/design/design_2013/images/Sikkerhedsstyrelsen_logo_230x69_transparent.png" id="main_logo" alt="Logo med link til forsiden" /> <!-- module_result start --> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/node/view/full.tpl (design:node/view/full.tpl) --> <!-- full --> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/submenu.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/submenu.tpl) --> <!-- submenu --> <div class="sub-menu"> <ol class="breadcrumb"> <li> <a href="../../../Virksomhed.html">Virksomhed</a> </li> <li> <a href="../../Tatoveringsregler.html">Tatoveringsregler</a> </li> <li> <a href="../Registrering-og-tilsyn.html">Registrering og tilsyn</a> </li> <li class="active">Registreringskrav for tatoveringssteder</li> </ol> <hr> </div> <!-- /submenu --> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/submenu.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/submenu.tpl) --> <div class="row"> <div class="col-md-3"> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/left_menu_linkbox.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/left_menu_linkbox.tpl) --> <!-- left_menu_linkbox --> <div class="link-box left-menu"> <header> <h5> <a href="../../Tatoveringsregler.html"> Tatoveringsregler </a> </h5> </header> <div class="body"> <ul> <li > <a href="../Tatoveringsloven.html"> Tatoveringsloven </a> </li> <li > <a href="../Bekendtgoerelser.html"> Bekendtgørelser </a> </li> <li > <a href="../Information-til-kunder.html"> Information til kunder </a> </li> <li class="selected"> <a href="../Registrering-og-tilsyn.html"> Registrering og tilsyn </a> </li> <li > <a href="../Myndigheder.html"> Myndigheder </a> </li> </ul> </div> </div> <!-- /left_menu_linkbox --> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/left_menu_linkbox.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/left_menu_linkbox.tpl) --> </div> <div class="col-md-6 center-col"> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_actions.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_actions.tpl) --> <ol class="page-actions"> <li><a href="../../../layout/set/print/Virksomhed/Tatoveringsregler/Registrering-og-tilsyn/Registreringskrav-for-tatoveri" title="Print" rel="nofollow" class="print" onclick="window.open(this.href, 'popupwindow', 'width=600,height=800,scrollbars,resizable'); return false;">Print</a></li> <li><a href="#" class="increaseFont font-action" title="Forst&oslash;r tekst st&oslash;rrelse">Zoom ind</a></li> <li><a href="#" class="decreaseFont font-action" title="Formindsk tekst st&oslash;rrelse">Zoom ud</a></li> </ol> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_actions.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_actions.tpl) --> <!--Content-Begin--> <article> <h1>Registreringskrav for tatoveringssteder</h1> <summary> <p> <!-- START: including template: design/standard/templates/content/datatype/view/eztext.tpl (design:content/datatype/view/eztext.tpl) --> Alle tatoveringssteder i Danmark skal registreres. Det følger af tatoveringsloven, der er trådt i kraft 1. juli 2018. <!-- STOP: including template: design/standard/templates/content/datatype/view/eztext.tpl (design:content/datatype/view/eztext.tpl) --> </p> </summary> <div class="pull-right social-icons"> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/social_icons.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/social_icons.tpl) --> <a href="https://www.facebook.com/sharer/sharer.php?u=https://sik.dk/Virksomhed/Tatoveringsregler/Registrering-og-tilsyn/Registreringskrav-for-tatoveringssteder" target="_blank"><i class="fa fa-facebook-square facebook-brand"></i></a> <a href="http://twitter.com/share?url=https://sik.dk/Virksomhed/Tatoveringsregler/Registrering-og-tilsyn/Registreringskrav-for-tatoveringssteder" target="_blank"><i class="fa fa-twitter-square twitter-brand"></i></a> <a href="https://pinterest.com/pin/create/button/?url=https://sik.dk/Virksomhed/Tatoveringsregler/Registrering-og-tilsyn/Registreringskrav-for-tatoveringssteder" target="_blank"><i class="fa fa-pinterest-square pinterest-brand"></i></a> <a href="https://www.linkedin.com/shareArticle?mini=true&amp;url=https://sik.dk/Virksomhed/Tatoveringsregler/Registrering-og-tilsyn/Registreringskrav-for-tatoveringssteder" target="_blank"><i class="fa fa-linkedin-square linkedin-brand"></i></a> <a href="mailto:?subject=Registreringskrav for tatoveringssteder&body=https://sik.dk/Virksomhed/Tatoveringsregler/Registrering-og-tilsyn/Registreringskrav-for-tatoveringssteder" target="_blank"><i class="fa fa-envelope-o mail-brand"></i></a> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/social_icons.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/social_icons.tpl) --> </div> <br> <hr> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltext.tpl (design:content/datatype/view/ezxmltext.tpl) --> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <p> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/strong.tpl (design:content/datatype/view/ezxmltags/strong.tpl) --> <b>Tatoveringssteder, der er etableret inden 1. juli 2018</b> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/strong.tpl (design:content/datatype/view/ezxmltags/strong.tpl) --> </p> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <p>Senest 1. januar 2019 skal alle tatoveringssteder, der er etableret inden 1. juli 2018, registreres hos Sikkerhedsstyrelsen.&nbsp;</p> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <p>Frem til 1. januar 2020 kan ejeren vælge mellem to former for registrering:</p> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/ul.tpl (design:content/datatype/view/ezxmltags/ul.tpl) --> <ul> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/li.tpl (design:content/datatype/view/ezxmltags/li.tpl) --> <li>Fuld registrering efter tatoveringslovens § 4, hvor alle krav i tatoveringsloven mht. hygiejne, skriftlig information om risici til kunder samt oplysninger om de anvendte tatoveringsfarver skal opfyldes. Der skal betales et årligt gebyr på 5776 kr. pr. tatoveringssted, der dækker omkostninger ved administration og tilsyn med, at tatoveringsstedet overholder kravene i tatoveringsloven.</li> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/li.tpl (design:content/datatype/view/ezxmltags/li.tpl) --> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/li.tpl (design:content/datatype/view/ezxmltags/li.tpl) --> <li>Registrering med en vejledningsordning. Der skal betales gebyr på 1200 kr. pr. tatoveringssted ved registreringen, og gebyret for vejledningsordningen dækker perioden indtil 31. december 2019. Tatoveringsstedet overgår automatisk til fuld registrering pr. 1. januar 2020. Vejledningsordningen betyder, at Sikkerhedsstyrelsen kommer på et besøg og vejleder om, hvordan du kan opfylde kravene til hygiejne, skriftlig information til kunderne om risici samt oplysninger om de anvendte tatoveringsfarver.&nbsp;</li> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/li.tpl (design:content/datatype/view/ezxmltags/li.tpl) --> </ul> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/ul.tpl (design:content/datatype/view/ezxmltags/ul.tpl) --> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <p> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/strong.tpl (design:content/datatype/view/ezxmltags/strong.tpl) --> <b>Tatoveringssteder, der etableres efter 1. juli 2018</b> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/strong.tpl (design:content/datatype/view/ezxmltags/strong.tpl) --> </p> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <p>Nye tatoveringssteder skal registreres hos Sikkerhedsstyrelsen, inden det er tilladt at åbne for tatovering. Der skal laves en fuld registrering efter tatoveringslovens § 4, hvor alle krav i tatoveringsloven skal opfyldes. Der skal betales et årligt gebyr på 5776 kr. pr. tatoveringssted, der dækker omkostninger ved administration og tilsyn med tatoveringsstedet. Dette gebyr dækker en 12 måneders periode fra registreringsdatoen. Sikkerhedsstyrelsen sender en faktura, inden 12 måneders perioden slutter.&nbsp;</p> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <p>Hvis du lukker dit tatoveringssted, skal du huske at afmelde det via blanketten på Virk.dk. Det betragtes ikke som en afmelding, hvis du blot undlader at betale for registreringen.</p> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <p> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/strong.tpl (design:content/datatype/view/ezxmltags/strong.tpl) --> <b>Tilknyttede tatovører</b> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/strong.tpl (design:content/datatype/view/ezxmltags/strong.tpl) --> </p> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <!-- START: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <p>Ved registrering skal det oplyses, hvilke tatovører der er tilknyttet tatoveringsstedet. En tatovør kan godt være tilknyttet flere tatoveringssteder. Registreringen skal ske inden for &quot;rimelig tid&quot;, der tolkes som inden for 14 dage.&nbsp;</p> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltags/paragraph.tpl (design:content/datatype/view/ezxmltags/paragraph.tpl) --> <!-- STOP: including template: design/standard/templates/content/datatype/view/ezxmltext.tpl (design:content/datatype/view/ezxmltext.tpl) --> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_list_subitems.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_list_subitems.tpl) --> <!-- page_list_subitems --> <div class="list-group"> </div><!-- /page_list_subitems --> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_list_subitems.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_list_subitems.tpl) --> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_content_footer.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_content_footer.tpl) --> <hr> <div class="text-muted"> <small><span class="glyphicon glyphicon-time"></span> Sidst opdateret: 04-sep-2018</small><br> <small><span class="glyphicon glyphicon-envelope"></span> Kontaktperson: <a title="" href="mailto:sik@sik.dk">webmaster</a></small> </div> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_content_footer.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/page_content_footer.tpl) --> </article> <!--Content-End--> </div> <div class="col-md-3"> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/right_menu_linkbox.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/right_menu_linkbox.tpl) --> <!-- right_menu_linkbox --> <div class="link-box right-menu"> <div class="body"> <ul> <li > <a href="Registrer-dit-tatoveringssted-eller-aendr-oplys"> Registrer dit tatoveringssted eller ændr oplysninger </a> </li> <li class="selected"> <a href="Registreringskrav-for-tatoveringssteder.10192.d"> Registreringskrav for tatoveringssteder </a> </li> <li > <a href="Register-over-tatoveringssteder.html"> Register over tatoveringssteder </a> </li> <li > <a href="Tilsyn-med-tatoveringssteder.html"> Tilsyn med tatoveringssteder </a> </li> <li > <a href="Hvis-tatoveringsloven-bliver-overtraadt.1024b.d"> Hvis tatoveringsloven bliver overtrådt </a> </li> </ul> </div> </div> <!-- /right_menu_linkbox --> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/right_menu_linkbox.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/right_menu_linkbox.tpl) --> </div></div> <!-- /full --> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/node/view/full.tpl (design:node/view/full.tpl) --> <!-- module_result end--> <!-- Start page_footer --> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/footer.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/footer.tpl) --> <footer class="row"> <hr> <div class="text-center"> Sikkerhedsstyrelsen&nbsp; | &nbsp;Nørregade 63&nbsp; | &nbsp;6700 Esbjerg&nbsp; | &nbsp;Tlf. 33 73 20 00&nbsp;<br> Email: <a href="mailto:sik@sik.dk">sik@sik.dk</a>&nbsp; | &nbsp;Åbningstider: Mandag - torsdag: 8:00 - 15:00 og fredag: 8:00 - 14:00 </div> </footer> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/footer.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/body/footer.tpl) --> <!-- End page_footer --> <script type="text/javascript" src="../../../../../../../../../../../../../../../../../../../../../var/plain_site/cache/public/javascript/f7012d06058bd5d5db35a640dcb232eb.js" charset="utf-8"></script> <!-- START: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/html/footer/javascript.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/html/footer/javascript.tpl) --> <script type="text/javascript"> /*<![CDATA[*/ (function() { var sz = document.createElement('script'); sz.type = 'text/javascript'; sz.async = true; sz.src = 'http://ssl.siteimprove.com/js/siteanalyze_2666.js'; var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(sz, s); })(); /*]]>*/ </script><script type="text/javascript"> (function(i,s,o,g,r,a,m){i['GoogleAnalyticsObject']=r;i[r]=i[r]||function(){ (i[r].q=i[r].q||[]).push(arguments)},i[r].l=1*new Date();a=s.createElement(o), m=s.getElementsByTagName(o)[0];a.async=1;a.src=g;m.parentNode.insertBefore(a,m) })(window,document,'script','http://www.google-analytics.com/analytics.js','ga'); ga('create', 'UA-6298150-1', 'auto'); ga('send', 'pageview'); </script> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/html/footer/javascript.tpl (extension/sikkerhedsstyrelsen/design/design_2013/templates/partials/html/footer/javascript.tpl) --> </body> <!-- Mirrored from www.sik.dk/layout/set/print/layout/set/print/layout/set/print/layout/set/print/layout/set/print/layout/set/print/Virksomhed/Tatoveringsregler/Registrering-og-tilsyn/Registreringskrav-for-tatoveringssteder by HTTrack Website Copier/3.x [XR&CO'2014], Tue, 30 Oct 2018 16:21:15 GMT --> </html> <!-- STOP: including template: extension/sikkerhedsstyrelsen/design/design_2013/templates/print_pagelayout.tpl (design:print_pagelayout.tpl) -->
D
/** * cl4d - object-oriented wrapper for the OpenCL C API * written in the D programming language * * Copyright: * (C) 2009-2014 Andreas Hollandt * * License: * see LICENSE.txt */ module cl4d.wrapper; import cl4d.error; import cl4d.c.cl; import cl4d.kernel; import cl4d.memory; import cl4d.platform; import cl4d.device; import cl4d.event; import std.array; package { alias immutable(char) ichar; //! alias const(char)[] cstring; //! } /** * this function is used to mixin low level CL C object handling into all CL classes * namely info retrieval and reference counting methods * * It should be a template mixin, but unfortunately those can't add constructors to classes */ package string CLWrapper(string T, string classInfoFunction) { return "private:\nalias " ~ T ~ " T;\n" ~ "enum TName = \"" ~ T ~ "\";\n" ~ q{ private import std.typecons; package T _object; //public alias _object this; // TODO any merit? package alias T CType; // remember the C type public: //! wrap OpenCL C API object //! this doesn't change the reference count this(T obj) { assert(obj !is null, "Argument 'obj' is null."); _object = obj; version(CL4D_VERBOSE) writef("wrapped %s %X\n", TName, cast(void*) _object); } version(CL4D_VERBOSE) private import std.stdio; //! copy and increase reference count this(this) { // increment reference count retain(); version(CL4D_VERBOSE) if (_object) writef("copied %s %X. Reference count is now: %d\n", TName, cast(void*) _object, referenceCount); } //! release the object ~this() { version(CL4D_VERBOSE) if (_object) writef("releasing %s %X. Reference count before: %d\n", TName, cast(void*) _object, referenceCount); release(); } package: // return the internal OpenCL C object // should only be used inside here so reference counting works final @property T cptr() { return _object; } //! increments the object reference count void retain() { if (!_object) return; // HACK: really need a proper system for OpenCL version handling version(CL_VERSION_1_2) static if (TName == "cl_device_id") clRetainDevice(_object); // NOTE: cl_platform_id and cl_device_id aren't reference counted // TName is compared instead of T itself so it also works with T being an alias // platform and device will have an empty retain() so it can be safely used in this() static if (TName[$-3..$] != "_id") { mixin("cl_errcode res = clRetain" ~ toCamelCase(TName[2..$]) ~ (TName == "cl_mem" ? "Object" : "") ~ "(_object);"); mixin(exceptionHandling( ["CL_OUT_OF_RESOURCES", ""], ["CL_OUT_OF_HOST_MEMORY", ""] )); } } /** * decrements the context reference count * The object is deleted once the number of instances that are retained to it become zero */ void release() { if (!_object) return; // HACK: really need a proper system for OpenCL version handling version(CL_VERSION_1_2) static if (TName == "cl_device_id") clReleaseDevice(_object); static if (TName[$-3..$] != "_id") { mixin("cl_errcode res = clRelease" ~ toCamelCase(TName[2..$]) ~ (TName == "cl_mem" ? "Object" : "") ~ "(_object);"); mixin(exceptionHandling( ["CL_OUT_OF_RESOURCES", ""], ["CL_OUT_OF_HOST_MEMORY", ""] )); } } private import std.string; /** * Return the reference count * * The reference count returned should be considered immediately stale. It is unsuitable for general use in * applications. This feature is provided for identifying memory leaks */ public @property cl_uint referenceCount() { if (!_object) return 0; static if (TName[$-3..$] != "_id") { mixin("return getInfo!cl_uint(CL_" ~ (TName == "cl_command_queue" ? "QUEUE" : TName[3..$].toUpper) ~ "_REFERENCE_COUNT);"); } else return 0; } protected: /** * a wrapper around OpenCL's tedious clGet*Info info retrieval system * this version is used for all non-array types * * USE WITH CAUTION! * * Params: * U = the return type of the information to be queried * infoFunction = optionally specify a special info function to be used * infoname = information op-code * * Returns: * queried information */ // TODO: make infoname type-safe, not cl_uint (can vary for certain _object, see cl_mem) final U getInfo(U, alias infoFunction = }~classInfoFunction~q{)(cl_uint infoname) { assert(_object !is null, "invariant violated: _object is null"); cl_errcode res; debug { size_t needed; // get amount of memory necessary res = infoFunction(_object, infoname, 0, null, &needed); // error checking if (res != CL_SUCCESS) throw new CLException(res); assert(needed == U.sizeof); } U info; // get actual data res = infoFunction(_object, infoname, U.sizeof, cast(void*)&info, null); // error checking if (res != CL_SUCCESS) throw new CLException(res); return info; } /** * this special version is only used for clGetProgramBuildInfo and clGetKernelWorkgroupInfo * * See_Also: * getInfo */ U getInfo2(U, alias altFunction)( cl_device_id device, cl_uint infoname) { assert(_object !is null, "invariant violated: _object is null"); cl_errcode res; debug { size_t needed; // get amount of memory necessary res = altFunction(_object, device, infoname, 0, null, &needed); // error checking if (res != CL_SUCCESS) throw new CLException(res); assert(needed == U.sizeof); } U info; // get actual data res = altFunction(_object, device, infoname, U.sizeof, &info, null); // error checking if (res != CL_SUCCESS) throw new CLException(res); return info; } /** * this version is used for all array return types * * Params: * U = array element type * * See_Also: * getInfo */ // helper function for all OpenCL Get*Info functions // used for all array return types final U[] getArrayInfo(U, alias infoFunction = }~classInfoFunction~q{)(cl_uint infoname) { assert(_object !is null, "invariant violated: _object is null"); size_t needed; cl_errcode res; // get amount of needed memory res = infoFunction(_object, infoname, 0, null, &needed); // error checking if (res != CL_SUCCESS) throw new CLException(res); // e.g. CL_CONTEXT_PROPERTIES can return needed = 0 if (needed == 0) return null; auto buffer = new U[needed/U.sizeof]; // get actual data res = infoFunction(_object, infoname, needed, cast(void*)buffer.ptr, null); // error checking if (res != CL_SUCCESS) throw new CLException(res); return buffer; } /** * special version only used for clGetProgramBuildInfo and clGetKernelWorkgroupInfo * * See_Also: * getArrayInfo */ U[] getArrayInfo2(U, alias altFunction)(cl_device_id device, cl_uint infoname) { assert(_object !is null, "invariant violated: _object is null"); size_t needed; cl_errcode res; // get amount of needed memory res = altFunction(_object, device, infoname, 0, null, &needed); // error checking if (res != CL_SUCCESS) throw new CLException(res); // e.g. CL_CONTEXT_PROPERTIES can return needed = 0 if (needed == 0) return null; auto buffer = new U[needed/U.sizeof]; // get actual data res = altFunction(_object, device, infoname, needed, cast(void*)buffer.ptr, null); // error checking if (res != CL_SUCCESS) throw new CLException(res); return buffer; } /** * convenience shortcut * * See_Also: * getArrayInfo */ final string getStringInfo(alias infoFunction = }~classInfoFunction~q{)(cl_uint infoname) { assert(_object !is null, "invariant violated: _object is null"); auto arr = getArrayInfo!(ichar, infoFunction)(infoname); if(arr.length == 0) return ""; else return cast(string) arr[0 .. $-1]; // removing zero end symbol } }; // return q{...} } // of CLWrapper function /** * a collection of OpenCL objects returned by some methods * Params: * T = a cl4d object like CLKernel */ package struct CLObjectCollection(T) { T[] _objects; alias _objects this; //! takes a list of cl4d CLObjects this(T[] objects ...) in { assert(objects !is null); } body { // must copy _objects = objects.dup; } //! takes a list of OpenCL C objects returned by some OpenCL functions like GetPlatformIDs this(T.CType[] objects) in { assert(objects !is null); } body { // we safely reinterpret cast here since T just wraps a T.CType _objects = cast(T[]) objects; } this(this) { _objects = _objects.dup; // calls postblits :) } //! release all objects ~this() { foreach (object; _objects) object.release(); } //! package @property auto ptr() const { return cast(const(T.CType)*) _objects.ptr; } } version(unittest) { struct CLDummy { alias uint CType; uint referenceCount = 1; this(this) {retain();} ~this() {release();} void retain() {++referenceCount;} void release() {--referenceCount;} } alias CLObjectCollection!CLDummy CLDummies; } unittest { import std.conv; CLDummy a; CLDummy b; assert(a.referenceCount == 1); assert(b.referenceCount == 1); CLDummies c = CLDummies(a, b); // Copy to constructor + copy to value assert(c[0].referenceCount == 3); assert(c[1].referenceCount == 3); foreach (ref d; c) assert(d.referenceCount == 3); foreach (d; c) assert(d.referenceCount == 4); CLDummy d = c[0]; assert(d.referenceCount == 4, to!string(d.referenceCount)); uint[5] s = [1,2,3,4,5]; CLDummies g = CLDummies(s); }
D
/Users/kidboy/Programming/github.com/learn_programming/rust/http-request/target/rls/debug/build/serde_json-10e033c9f8543aa5/build_script_build-10e033c9f8543aa5: /Users/kidboy/.cargo/registry/src/github.com-1ecc6299db9ec823/serde_json-1.0.57/build.rs /Users/kidboy/Programming/github.com/learn_programming/rust/http-request/target/rls/debug/build/serde_json-10e033c9f8543aa5/build_script_build-10e033c9f8543aa5.d: /Users/kidboy/.cargo/registry/src/github.com-1ecc6299db9ec823/serde_json-1.0.57/build.rs /Users/kidboy/.cargo/registry/src/github.com-1ecc6299db9ec823/serde_json-1.0.57/build.rs:
D
// Written in the D programming language. module windows.http; public import windows.core; public import windows.networkdrivers : SOCKADDR_STORAGE_LH; public import windows.systemservices : BOOL, HANDLE, OVERLAPPED, PSTR, PWSTR, SECURITY_ATTRIBUTES, ULARGE_INTEGER; public import windows.wininet : INTERNET_SCHEME; public import windows.winsock : SOCKADDR; public import windows.windowsprogramming : FILETIME, SYSTEMTIME; extern(Windows) @nogc nothrow: // Enums ///The <b>HTTP_SERVER_PROPERTY</b> enumeration defines the properties that are configured by the HTTP Server API on a ///URL group, server session, or request queue. alias HTTP_SERVER_PROPERTY = int; enum : int { ///The authentication property enables server-side authentication for a URL group, or server session using the ///Basic, NTLM, Negotiate, and Digest authentication schemes. The HTTP_SERVER_AUTHENTICATION_INFO structure contains ///the configuration data for this property. HttpServerAuthenticationProperty = 0x00000000, ///The logging property enables logging for a server session or URL group. The HTTP_LOGGING_INFO structure contains ///the configuration data for this property. HttpServerLoggingProperty = 0x00000001, ///The QOS property enables settings affecting quality of service, such as limiting the maximum number of ///outstanding connections served for a URL group at any given time or limiting the response send bandwidth for a ///server session or URL group. The HTTP_QOS_SETTING_INFO structure contains the configuration data for this ///property. HttpServerQosProperty = 0x00000002, ///The timeouts property configures timeouts for a server session or URL group. The HTTP_TIMEOUT_LIMIT_INFO ///structure contains the configuration data for this property. HttpServerTimeoutsProperty = 0x00000003, ///The connections property limits the number of requests in the request queue. This is a <b>ULONG</b>. HttpServerQueueLengthProperty = 0x00000004, ///The connections property configures the state of a URL group, server session, or request queue. The ///HTTP_STATE_INFO structure contains the configuration data for this property for the URL group or server session. ///The request queue uses the HTTP_ENABLED_STATE enumeration to configure this property. HttpServerStateProperty = 0x00000005, ///The 503 verbosity property configures the verbosity level of 503 responses generated by the HTTP Server API for a ///request queue. The HTTP_503_RESPONSE_VERBOSITY enumeration contains the configuration data for this property. HttpServer503VerbosityProperty = 0x00000006, ///The binding property associates a URL group with a request queue. The HTTP_BINDING_INFO structure contains the ///configuration data for this property. HttpServerBindingProperty = 0x00000007, ///The extended authentication property enables server-side authentication for a URL group, or server session using ///the Kerberos authentication scheme. The HTTP_SERVER_AUTHENTICATION_INFO structure contains the configuration data ///for this property. HttpServerExtendedAuthenticationProperty = 0x00000008, ///Listening endpoint property. HttpServerListenEndpointProperty = 0x00000009, ///This property implements authorization channel binding. The HTTP_CHANNEL_BIND_INFO structure contains the ///authorization details. HttpServerChannelBindProperty = 0x0000000a, HttpServerProtectionLevelProperty = 0x0000000b, } ///The <b>HTTP_ENABLED_STATE</b> enumeration defines the state of a request queue, server session, or URL Group. This ///enumeration is used in the HTTP_STATE_INFO struct alias HTTP_ENABLED_STATE = int; enum : int { ///The HTTP Server API object is enabled. HttpEnabledStateActive = 0x00000000, ///The HTTP Server API object is disabled. HttpEnabledStateInactive = 0x00000001, } ///The <b>HTTP_503_RESPONSE_VERBOSITY</b> enumeration defines the verbosity levels for a 503, service unavailable, error ///responses. This structure must be used when setting or querying the HttpServer503ResponseProperty on a request queue. alias HTTP_503_RESPONSE_VERBOSITY = int; enum : int { ///A 503 response is not sent; the connection is reset. This is the default HTTP Server API behavior. Http503ResponseVerbosityBasic = 0x00000000, ///The HTTP Server API sends a 503 response with a "Service Unavailable" reason phrase. The HTTP Server closes the ///TCP connection after sending the response, so the client has to re-connect. Http503ResponseVerbosityLimited = 0x00000001, ///The HTTP Server API sends a 503 response with a detailed reason phrase. The HTTP Server closes the TCP connection ///after sending the response, so the client has to re-connect. Http503ResponseVerbosityFull = 0x00000002, } ///The <b>HTTP_QOS_SETTING_TYPE</b> enumeration identifies the type of a QOS setting contained in a ///HTTP_QOS_SETTING_INFO structure. alias HTTP_QOS_SETTING_TYPE = int; enum : int { ///The setting is a bandwidth limit represented by a HTTP_BANDWIDTH_LIMIT_INFO structure. HttpQosSettingTypeBandwidth = 0x00000000, ///The setting is a connection limit represented by a HTTP_CONNECTION_LIMIT_INFO structure. HttpQosSettingTypeConnectionLimit = 0x00000001, ///A flow rate represented by HTTP_FLOWRATE_INFO. <div class="alert"><b>Note</b> Windows Server 2008 R2 and Windows ///7 only.</div> <div> </div> HttpQosSettingTypeFlowRate = 0x00000002, } ///The <b>HTTP_SERVICE_CONFIG_TIMEOUT_KEY</b> enumeration defines the type of timer that is queried or configured ///through the HTTP_SERVICE_CONFIG_TIMEOUT_SET structure. alias HTTP_SERVICE_CONFIG_TIMEOUT_KEY = int; enum : int { ///The maximum time allowed for a connection to remain idle, after which, the connection is timed out and reset. IdleConnectionTimeout = 0x00000000, ///The maximum time allowed to parse all the request headers, including the request line, after which, the ///connection is timed out and reset. HeaderWaitTimeout = 0x00000001, } alias HTTP_SERVICE_CONFIG_SETTING_KEY = int; enum : int { HttpNone = 0x00000000, HttpTlsThrottle = 0x00000001, } ///The <b>HTTP_SERVICE_BINDING_TYPE</b> enumerated type specifies the string type for service names. alias HTTP_SERVICE_BINDING_TYPE = int; enum : int { ///No type. HttpServiceBindingTypeNone = 0x00000000, ///Unicode. HttpServiceBindingTypeW = 0x00000001, HttpServiceBindingTypeA = 0x00000002, } ///Server Hardening level. alias HTTP_AUTHENTICATION_HARDENING_LEVELS = int; enum : int { ///Server is not hardened and operates without Channel Binding Token (CBT) support. HttpAuthenticationHardeningLegacy = 0x00000000, ///Server is partially hardened. Clients that support CBT are serviced appropriately. Legacy clients are also ///serviced. HttpAuthenticationHardeningMedium = 0x00000001, HttpAuthenticationHardeningStrict = 0x00000002, } ///The <b>HTTP_LOGGING_TYPE</b> enumeration defines the type of logging that is performed. This enumeration is used in ///the HTTP_LOGGING_INFO structure. alias HTTP_LOGGING_TYPE = int; enum : int { ///The log format is W3C style extended logging. Applications choose the fields that are logged in the <b>Fields</b> ///member of the HTTP_LOGGING_INFO structure. When this type of logging is set on a URL Group, logging is similar to ///the IIS6 site logging. When set on a server session this format functions as a centralized logging for all of the ///URL Groups. HttpLoggingTypeW3C = 0x00000000, ///The log format is IIS5/6 style logging. This format has a fixed field definition; applications cannot choose ///which fields are logged. This format cannot be chosen when setting the logging property on a server session. HttpLoggingTypeIIS = 0x00000001, ///The log format is NCSA style logging. This format has a fixed field definition; applications cannot choose which ///fields are logged. This format cannot be chosen when setting the logging property on a server session. HttpLoggingTypeNCSA = 0x00000002, ///The log format is centralized binary logging. This format has a fixed field definition; applications cannot ///choose which fields are logged. This format cannot be chosen when setting the logging property on a URL Group. HttpLoggingTypeRaw = 0x00000003, } ///The <b>HTTP_LOGGING_ROLLOVER_TYPE</b> enumeration defines the log file rollover types. This enumeration is used in ///the HTTP_LOGGING_INFO structure. alias HTTP_LOGGING_ROLLOVER_TYPE = int; enum : int { ///The log files are rolled over when they reach a specified size. HttpLoggingRolloverSize = 0x00000000, ///The log files are rolled over every day. HttpLoggingRolloverDaily = 0x00000001, ///The log files are rolled over every week. HttpLoggingRolloverWeekly = 0x00000002, ///The log files are rolled over every month. HttpLoggingRolloverMonthly = 0x00000003, ///The log files are rolled over every hour, based on GMT. HttpLoggingRolloverHourly = 0x00000004, } alias HTTP_PROTECTION_LEVEL_TYPE = int; enum : int { HttpProtectionLevelUnrestricted = 0x00000000, HttpProtectionLevelEdgeRestricted = 0x00000001, HttpProtectionLevelRestricted = 0x00000002, } alias _HTTP_URI_SCHEME = int; enum : int { HttpSchemeHttp = 0x00000000, HttpSchemeHttps = 0x00000001, HttpSchemeMaximum = 0x00000002, } ///The <b>HTTP_VERB</b> enumeration type defines values that are used to specify known, standard HTTP verbs in the ///HTTP_REQUEST structure. The majority of these known verbs are documented in RFC 2616 and RFC 2518, as indicated ///below. alias HTTP_VERB = int; enum : int { ///Not relevant for applications; used only in kernel mode. HttpVerbUnparsed = 0x00000000, ///Indicates that the application can examine the <b>UnknownVerbLength</b> and <b>pUnknownVerb</b> members of the ///HTTP_REQUEST structure to retrieve the HTTP verb for the request. This is the case in an HTTP/1.1 request when a ///browser client specifies a custom verb. HttpVerbUnknown = 0x00000001, ///Not relevant for applications; used only in kernel mode. HttpVerbInvalid = 0x00000002, ///The OPTIONS method requests information about the communication options and requirements associated with a URI. ///See page 52 of RFC 2616. HttpVerbOPTIONS = 0x00000003, ///The GET method retrieves the information or entity that is identified by the URI of the Request. If that URI ///refers to a script or other data-producing process, it is the data produced, not the text of the script, that is ///returned in the response. A GET method can be made conditional or partial by including a conditional or Range ///header field in the request. A conditional GET requests that the entity be sent only if all conditions specified ///in the header are met, and a partial GET requests only part of the entity, as specified in the Range header. Both ///of these forms of GET can help avoid unnecessary network traffic. See page 53 of RFC 2616. HttpVerbGET = 0x00000004, ///The HEAD method is identical to GET except that the server only returns message-headers in the response, without ///a message-body. The headers are the same as would be returned in response to a GET. See page 54 of RFC 2616. HttpVerbHEAD = 0x00000005, ///The POST method is used to post a new entity as an addition to a URI. The URI identifies an entity that consumes ///the posted data in some fashion. See page 54 of RFC 2616. HttpVerbPOST = 0x00000006, ///The PUT method is used to replace an entity identified by a URI. See page 55 of RFC 2616. HttpVerbPUT = 0x00000007, ///The DELETE method requests that a specified URI be deleted. See page 56 of RFC 2616. HttpVerbDELETE = 0x00000008, ///The TRACE method invokes a remote, application-layer loop-back of the request message. It allows the client to ///see what is being received at the other end of the request chain for diagnostic purposes. See page 56 of RFC ///2616. HttpVerbTRACE = 0x00000009, ///The CONNECT method can be used with a proxy that can dynamically switch to tunneling, as in the case of SSL ///tunneling. See page 57 of RFC 2616. HttpVerbCONNECT = 0x0000000a, ///The TRACK method is used by Microsoft Cluster Server to implement a non-logged trace. HttpVerbTRACK = 0x0000000b, ///The MOVE method requests a WebDAV operation equivalent to a copy (COPY), followed by consistency maintenance ///processing, followed by a delete of the source, where all three actions are performed atomically. When applied to ///a collection, "Depth" is assumed to be or must be specified as "infinity". See page 42 of RFC 2518. HttpVerbMOVE = 0x0000000c, ///The COPY method requests a WebDAV operation that creates a duplicate of the source resource, identified by the ///Request URI, in the destination resource, identified by a URI specified in the Destination header. See page 37 of ///RFC 2518. HttpVerbCOPY = 0x0000000d, ///The PROPFIND method requests a WebDAV operation that retrieves properties defined on the resource identified by ///the Request-URI. See page 24 of RFC 2518. HttpVerbPROPFIND = 0x0000000e, ///The PROPPATCH method requests a WebDAV operation that sets and/or removes properties defined on the resource ///identified by the Request-URI. See page 31 of RFC 2518. HttpVerbPROPPATCH = 0x0000000f, ///The MKCOL method requests a WebDAV operation that creates a new collection resource at the location specified by ///the Request-URI. See page 33 of RFC 2518. HttpVerbMKCOL = 0x00000010, ///The LOCK method requests a WebDAV operation that creates a lock as specified by the lockinfo XML element on the ///Request-URI. See page 45 of RFC 2518. HttpVerbLOCK = 0x00000011, ///The UNLOCK method requests a WebDAV operation that removes a lock, identified by a lock token in the Lock-Token ///request header, from the resource identified by the Request-URI, and from all other resources included in the ///lock. See page 51 of RFC 2518. HttpVerbUNLOCK = 0x00000012, ///The SEARCH method requests a WebDAV operation used by Microsoft Exchange to search folders. See the Internet ///Engineering Task Force (IETF) Internet Draft WebDAV SEARCH for more information, and the WebDAV Web site for ///possible updates. HttpVerbSEARCH = 0x00000013, ///Terminates the enumeration; is not used to define a verb. HttpVerbMaximum = 0x00000014, } ///The <b>HTTP_HEADER_ID</b> enumeration type lists <i>known headers</i> for HTTP requests and responses, and associates ///an array index with each such header. It is used to size and access the <b>KnownHeaders</b> array members of the ///HTTP_REQUEST_HEADERS and HTTP_RESPONSE_HEADERS structures. alias HTTP_HEADER_ID = int; enum : int { ///Used to specify caching behavior along the request or response chain, overriding the default caching algorithm. HttpHeaderCacheControl = 0x00000000, ///Allows the sender to specify options that are desired for that particular connection. These are used for a single ///connection only and must not be communicated by proxies over further connections. HttpHeaderConnection = 0x00000001, ///The Date is a general header field that indicates the time that the request or response was sent. HttpHeaderDate = 0x00000002, ///Based on the keepalive XML element (see RFC 2518, section 12.12.1, page 66); a list of URIs included in the ///KeepAlive header must be "live" after they are copied (moved) to the destination. HttpHeaderKeepAlive = 0x00000003, ///Used to include optional, implementation-specific directives that might apply to any recipient along the ///request/response chain. HttpHeaderPragma = 0x00000004, ///Indicates that specified header fields are present in the trailer of a message encoded with chunked ///transfer-coding. HttpHeaderTrailer = 0x00000005, ///Indicates what, if any, transformations have been applied to the message body in transit. HttpHeaderTransferEncoding = 0x00000006, ///Allows the client to specify one or more other communication protocols it would prefer to use if the server can ///comply. HttpHeaderUpgrade = 0x00000007, ///The Via header field indicates the path taken by the request. HttpHeaderVia = 0x00000008, ///This is a response header that contains the 3-digit warn code along with the reason phrase. HttpHeaderWarning = 0x00000009, ///Lists the set of methods supported by the resource identified by the Request-URI. HttpHeaderAllow = 0x0000000a, ///The size of the message body in decimal bytes. HttpHeaderContentLength = 0x0000000b, ///The media type of the message body. HttpHeaderContentType = 0x0000000c, ///The encoding scheme for the message body. HttpHeaderContentEncoding = 0x0000000d, ///Provides the natural language of the intended audience. HttpHeaderContentLanguage = 0x0000000e, ///Location of the resource for the entity enclosed in the message when that entity is accessible from a location ///separate from the requested resource's URI. HttpHeaderContentLocation = 0x0000000f, ///An MD5 digest of the entity-body used to provide end-to-end message integrity check (MIC) of the entity-body. HttpHeaderContentMd5 = 0x00000010, ///The content range header is sent with a partial entity body to specify where in the full entity body the partial ///body should be applied. HttpHeaderContentRange = 0x00000011, ///The date and time after which the message content expires. HttpHeaderExpires = 0x00000012, ///Indicates the date and time at which the origin server believes the variant was last modified. HttpHeaderLastModified = 0x00000013, ///Used with the INVITE, OPTIONS, and REGISTER methods to indicate what media types are acceptable in the response. HttpHeaderAccept = 0x00000014, ///Indicates the character sets that are acceptable for the response. HttpHeaderAcceptCharset = 0x00000015, ///The content encodings that are acceptable in the response. HttpHeaderAcceptEncoding = 0x00000016, ///Used by the client to indicate to the server which language it would prefer to receive reason phrases, session ///descriptions, or status responses. HttpHeaderAcceptLanguage = 0x00000017, ///The user-agent can authenticate itself with a server by sending the Authorization request header field with the ///request. The field contains the credentials for the domain that the user is requesting. HttpHeaderAuthorization = 0x00000018, ///The cookie request header contains data used to maintain client state with the server. Cookie data is obtained ///from a response sent with <b>HttpHeaderSetCookie</b>. HttpHeaderCookie = 0x00000019, ///Indicates the specific server behaviors that are required by the client. HttpHeaderExpect = 0x0000001a, ///The From header field specifies the initiator of the SIP request or response message. HttpHeaderFrom = 0x0000001b, ///Specifies the Internet host and port number of the requested resource. This is obtained from the original URI ///given by the user or referring resource. HttpHeaderHost = 0x0000001c, ///The If-Match request header field is used with a method to make it conditional. A client that has one or more ///entities previously obtained from the resource can verify that one of those entities is current by including a ///list of their associated entity tags in the If-Match header field. HttpHeaderIfMatch = 0x0000001d, ///The If-Modified-Since request header field is used with a method to make it conditional. If the requested variant ///has not been modified since the time specified in this field, an entity is not returned from the server; instead, ///a 304 (not modified) response is returned without any message-body. HttpHeaderIfModifiedSince = 0x0000001e, ///The If-None-Match request-header field is used with a method to make it conditional. When a client has obtained ///one or more entities from a resource, it can verify that none of those entities is current by including a list of ///their associated entity tags in the If-None-Match header field. The purpose of this feature is to allow efficient ///updates of cached information with a minimum amount of transaction overhead, and to prevent a method such as PUT ///from inadvertently modifying an existing resource when the client believes that the resource does not exist. HttpHeaderIfNoneMatch = 0x0000001f, ///If a client has a partial copy of an entity in its cache, and wishes to obtain an up-to-date copy of the entire ///entity, it can use the If-Range header. Informally, its meaning is, "if the entity is unchanged, send me the ///part(s) I am missing; otherwise, send me the entire new entity." HttpHeaderIfRange = 0x00000020, ///The If-Unmodified-Since request-header field is used with a method to make it conditional. If the requested ///resource has not been modified since the time specified in this field, the server performs the requested ///operation as if the If-Unmodified-Since header were not present, but if the requested resource has been modified, ///the server returns a 412 error (Precondition Failed). HttpHeaderIfUnmodifiedSince = 0x00000021, ///The maximum number of proxies or gateways that can forward the request. HttpHeaderMaxForwards = 0x00000022, ///This header field is used by the client to identify itself with a proxy. HttpHeaderProxyAuthorization = 0x00000023, ///Allows the client to specify, for the server's benefit, the address (URI) of the resource from which the ///Request-URI was obtained. HttpHeaderReferer = 0x00000024, ///Allows a client to request a part of an entity instead of the whole. HttpHeaderRange = 0x00000025, ///This header field contains the recipient of the SIP request or response message. HttpHeaderTe = 0x00000026, ///Allows the client to specify whether it wants the source representation or programmatic interpretation of the ///requested content. HttpHeaderTranslate = 0x00000027, ///Indicates what extension transfer-codings the client accepts in the response and whether or not the client ///accepts trailer fields in a chunked transfer-coding. HttpHeaderUserAgent = 0x00000028, ///Not a value that actually designates a header; instead, it is used to count the enumerated Request headers. HttpHeaderRequestMaximum = 0x00000029, ///Allows the server to indicate its acceptance of range requests for a resource. HttpHeaderAcceptRanges = 0x00000014, ///Conveys the sender's estimate of the amount of time since the response (or its revalidation) was generated at the ///origin server. HttpHeaderAge = 0x00000015, ///Provides the current value of the entity tag for the requested variant. HttpHeaderEtag = 0x00000016, ///Used to redirect the recipient to a location other than the Request-URI for completion of the request or ///identification of a new resource. HttpHeaderLocation = 0x00000017, ///The response field that must be included as a part of the 407 response. The field includes the authentication ///scheme and parameters that apply to the proxy for this Request-URI. HttpHeaderProxyAuthenticate = 0x00000018, ///The length of time that the service is expected to be unavailable to the requesting client. HttpHeaderRetryAfter = 0x00000019, ///This is a response header field that contains information about the server that is handling the request. HttpHeaderServer = 0x0000001a, ///The <b>set-cookie</b> response header contains data used to maintain client state in future requests sent with ///<b>HttpHeaderCookie</b>. HttpHeaderSetCookie = 0x0000001b, ///Indicates the set of request header fields that fully determines, while the response is fresh, whether a cache is ///permitted to use the response to reply to a subsequent request without revalidation. HttpHeaderVary = 0x0000001c, ///The WWW_Authenticate header field contains the authentication schemes and parameters applicable to the ///Request-URI. HttpHeaderWwwAuthenticate = 0x0000001d, ///Not a value that actually designates a header; instead, it is used to count the enumerated Response headers. HttpHeaderResponseMaximum = 0x0000001e, ///Not a value that actually designates a header; instead, it is used to count all the enumerated headers. HttpHeaderMaximum = 0x00000029, } ///The <b>HTTP_LOG_DATA_TYPE</b> enumeration identifies the type of log data. alias HTTP_LOG_DATA_TYPE = int; enum : int { ///The HTTP_LOG_FIELDS_DATA structure is used for logging a request. This structure is passed to an ///HttpSendHttpResponse or HttpSendResponseEntityBody call. HttpLogDataTypeFields = 0x00000000, } ///The HTTP_DATA_CHUNK_TYPE enumeration type defines the data source for a data chunk. alias HTTP_DATA_CHUNK_TYPE = int; enum : int { ///The data source is a memory data block. The union should be interpreted as a <b>FromMemory</b> structure. HttpDataChunkFromMemory = 0x00000000, ///The data source is a file handle data block. The union should be interpreted as a <b>FromFileHandle</b> ///structure. HttpDataChunkFromFileHandle = 0x00000001, ///The data source is a fragment cache data block. The union should be interpreted as a <b>FromFragmentCache</b> ///structure. HttpDataChunkFromFragmentCache = 0x00000002, ///The data source is a fragment cache data block. The union should be interpreted as a <b>FromFragmentCacheEx</b> ///structure. <b>Windows Server 2003 with SP1 and Windows XP with SP2: </b>This flag is not supported. HttpDataChunkFromFragmentCacheEx = 0x00000003, HttpDataChunkMaximum = 0x00000004, } ///Defines constants that specify a type of property information for a delegate request. alias HTTP_DELEGATE_REQUEST_PROPERTY_ID = int; enum : int { ///This property is reserved. DelegateRequestReservedProperty = 0x00000000, } ///The <b>HTTP_AUTH_STATUS</b> enumeration defines the authentication state of a request. This enumeration is used in ///the HTTP_REQUEST_AUTH_INFO structure. alias HTTP_AUTH_STATUS = int; enum : int { ///The request was successfully authenticated for the authentication type indicated in the HTTP_REQUEST_AUTH_INFO ///structure. HttpAuthStatusSuccess = 0x00000000, ///Authentication was configured on the URL group for this request, however, the HTTP Server API did not handle the ///authentication. This could be because of one of the following reasons: <ul> <li> The scheme defined in the ///HttpHeaderAuthorization header of the request is not supported by the HTTP Server API, or it is not enabled on ///the URL Group. If the scheme is not enabled, the <b>AuthType</b> member of HTTP_REQUEST_AUTH_INFO is set to the ///appropriate type, otherwise <b>AuthType</b> will have the value HttpRequestAuthTypeNone. </li> <li>The ///authorization header is not present, however, authentication is enabled on the URL Group.</li> </ul> The ///application should either proceed with its own authentication or respond with the initial 401 challenge ///containing the desired set of authentication schemes. HttpAuthStatusNotAuthenticated = 0x00000001, ///Authentication for the authentication type listed in the HTTP_REQUEST_AUTH_INFO structure failed, possibly due to ///one of the following reasons:<ul> <li>The Security Service Provider Interface (SSPI) based authentication scheme ///failed to successfully return from a call to AcceptSecurityContext. The error returned AcceptSecurityContext is ///indicated in the <b>SecStatus</b> member of the HTTP_REQUEST_AUTH_INFO structure.</li> <li>The finalized client ///context is for a Null NTLM session. Null sessions are treated as authentication failures.</li> <li>The call to ///<b>LogonUser</b> failed for the Basic authentication.</li> </ul> HttpAuthStatusFailure = 0x00000002, } ///The <b>HTTP_REQUEST_AUTH_TYPE</b> enumeration defines the authentication types supported by the HTTP Server API. This ///enumeration is used in the HTTP_REQUEST_AUTH_INFO structure. alias HTTP_REQUEST_AUTH_TYPE = int; enum : int { ///No authentication is attempted for the request. HttpRequestAuthTypeNone = 0x00000000, ///Basic authentication is attempted for the request. HttpRequestAuthTypeBasic = 0x00000001, ///Digest authentication is attempted for the request. HttpRequestAuthTypeDigest = 0x00000002, ///NTLM authentication is attempted for the request. HttpRequestAuthTypeNTLM = 0x00000003, ///Negotiate authentication is attempted for the request. HttpRequestAuthTypeNegotiate = 0x00000004, ///Kerberos authentication is attempted for the request. HttpRequestAuthTypeKerberos = 0x00000005, } alias HTTP_REQUEST_SIZING_TYPE = int; enum : int { HttpRequestSizingTypeTlsHandshakeLeg1ClientData = 0x00000000, HttpRequestSizingTypeTlsHandshakeLeg1ServerData = 0x00000001, HttpRequestSizingTypeTlsHandshakeLeg2ClientData = 0x00000002, HttpRequestSizingTypeTlsHandshakeLeg2ServerData = 0x00000003, HttpRequestSizingTypeHeaders = 0x00000004, HttpRequestSizingTypeMax = 0x00000005, } alias HTTP_REQUEST_TIMING_TYPE = int; enum : int { HttpRequestTimingTypeConnectionStart = 0x00000000, HttpRequestTimingTypeDataStart = 0x00000001, HttpRequestTimingTypeTlsCertificateLoadStart = 0x00000002, HttpRequestTimingTypeTlsCertificateLoadEnd = 0x00000003, HttpRequestTimingTypeTlsHandshakeLeg1Start = 0x00000004, HttpRequestTimingTypeTlsHandshakeLeg1End = 0x00000005, HttpRequestTimingTypeTlsHandshakeLeg2Start = 0x00000006, HttpRequestTimingTypeTlsHandshakeLeg2End = 0x00000007, HttpRequestTimingTypeTlsAttributesQueryStart = 0x00000008, HttpRequestTimingTypeTlsAttributesQueryEnd = 0x00000009, HttpRequestTimingTypeTlsClientCertQueryStart = 0x0000000a, HttpRequestTimingTypeTlsClientCertQueryEnd = 0x0000000b, HttpRequestTimingTypeHttp2StreamStart = 0x0000000c, HttpRequestTimingTypeHttp2HeaderDecodeStart = 0x0000000d, HttpRequestTimingTypeHttp2HeaderDecodeEnd = 0x0000000e, HttpRequestTimingTypeRequestHeaderParseStart = 0x0000000f, HttpRequestTimingTypeRequestHeaderParseEnd = 0x00000010, HttpRequestTimingTypeRequestRoutingStart = 0x00000011, HttpRequestTimingTypeRequestRoutingEnd = 0x00000012, HttpRequestTimingTypeRequestQueuedForInspection = 0x00000013, HttpRequestTimingTypeRequestDeliveredForInspection = 0x00000014, HttpRequestTimingTypeRequestReturnedAfterInspection = 0x00000015, HttpRequestTimingTypeRequestQueuedForDelegation = 0x00000016, HttpRequestTimingTypeRequestDeliveredForDelegation = 0x00000017, HttpRequestTimingTypeRequestReturnedAfterDelegation = 0x00000018, HttpRequestTimingTypeRequestQueuedForIO = 0x00000019, HttpRequestTimingTypeRequestDeliveredForIO = 0x0000001a, HttpRequestTimingTypeHttp3StreamStart = 0x0000001b, HttpRequestTimingTypeHttp3HeaderDecodeStart = 0x0000001c, HttpRequestTimingTypeHttp3HeaderDecodeEnd = 0x0000001d, HttpRequestTimingTypeMax = 0x0000001e, } ///The <b>HTTP_REQUEST_INFO_TYPE</b> enumeration defines the type of information contained in the HTTP_REQUEST_INFO ///structure. This enumeration is used in the HTTP_REQUEST_INFO structure. alias HTTP_REQUEST_INFO_TYPE = int; enum : int { ///The request information type is authentication. The <b>pInfo</b> member of the HTTP_REQUEST_INFO structure points ///to a HTTP_REQUEST_AUTH_INFO structure. HttpRequestInfoTypeAuth = 0x00000000, HttpRequestInfoTypeChannelBind = 0x00000001, HttpRequestInfoTypeSslProtocol = 0x00000002, HttpRequestInfoTypeSslTokenBindingDraft = 0x00000003, HttpRequestInfoTypeSslTokenBinding = 0x00000004, HttpRequestInfoTypeRequestTiming = 0x00000005, HttpRequestInfoTypeTcpInfoV0 = 0x00000006, HttpRequestInfoTypeRequestSizing = 0x00000007, HttpRequestInfoTypeQuicStats = 0x00000008, HttpRequestInfoTypeTcpInfoV1 = 0x00000009, } ///The <b>HTTP_RESPONSE_INFO_TYPE</b> enumeration defines the type of information contained in the HTTP_RESPONSE_INFO ///structure. This enumeration is used in the HTTP_RESPONSE_INFO structure. alias HTTP_RESPONSE_INFO_TYPE = int; enum : int { ///The response information type is authentication. The <b>pInfo</b> member of the HTTP_RESPONSE_INFO structure ///points to a HTTP_MULTIPLE_KNOWN_HEADERS structure. HttpResponseInfoTypeMultipleKnownHeaders = 0x00000000, ///Reserved for future use. HttpResponseInfoTypeAuthenticationProperty = 0x00000001, ///Pointer to an HTTP_QOS_SETTING_INFO structure that contains information about a QOS setting. HttpResponseInfoTypeQoSProperty = 0x00000002, ///Pointer to an HTTP_CHANNEL_BIND_INFO structure that contains information on the channel binding token. HttpResponseInfoTypeChannelBind = 0x00000003, } ///The <b>HTTP_CACHE_POLICY_TYPE</b> enumeration type defines available cache policies. It is used to restrict the ///values of the <b>Policy</b> member of the HTTP_CACHE_POLICY structure, which in turn is used in the ///<i>pCachePolicy</i> parameter of the HttpAddFragmentToCache function to specify how a response fragment is cached. alias HTTP_CACHE_POLICY_TYPE = int; enum : int { ///Do not cache this value at all. HttpCachePolicyNocache = 0x00000000, ///Cache this value until the user provides a different one. HttpCachePolicyUserInvalidates = 0x00000001, ///Cache this value for a specified time and then remove it from the cache. HttpCachePolicyTimeToLive = 0x00000002, ///Terminates the enumeration; not used to determine policy. HttpCachePolicyMaximum = 0x00000003, } ///The <b>HTTP_SERVICE_CONFIG_ID</b> enumeration type defines service configuration options. alias HTTP_SERVICE_CONFIG_ID = int; enum : int { ///Specifies the IP Listen List used to register IP addresses on which to listen for SSL connections. HttpServiceConfigIPListenList = 0x00000000, ///Specifies the SSL certificate store. <div class="alert"><b>Note</b> If SSL is enabled in the HTTP Server API, TLS ///1.0 may be used in place of SSL when the client application specifies TLS.</div> <div> </div> HttpServiceConfigSSLCertInfo = 0x00000001, ///Specifies the URL reservation store. HttpServiceConfigUrlAclInfo = 0x00000002, ///Configures the HTTP Server API wide connection timeouts. <div class="alert"><b>Note</b> Windows Vista and later ///versions of Windows</div> <div> </div> HttpServiceConfigTimeout = 0x00000003, ///Used in the HttpQueryServiceConfiguration and HttpSetServiceConfiguration functions. <div ///class="alert"><b>Note</b> Windows Server 2008 R2 and Windows 7 and later versions of Windows.</div> <div> </div> HttpServiceConfigCache = 0x00000004, ///Specifies the SSL endpoint configuration with <i>Hostname:Port</i> as key. Used in the ///HttpDeleteServiceConfiguration, HttpQueryServiceConfiguration, HttpSetServiceConfiguration, and ///HttpUpdateServiceConfiguration functions <div class="alert"><b>Note</b> Windows 8 and later versions of ///Windows.</div> <div> </div> HttpServiceConfigSslSniCertInfo = 0x00000005, ///Specifies that an operation should be performed for the SSL certificate record that specifies that Http.sys ///should consult the Centralized Certificate Store (CCS) store to find certificates if the port receives a ///Transport Layer Security (TLS) handshake. Used in the HttpDeleteServiceConfiguration, ///HttpQueryServiceConfiguration, HttpSetServiceConfiguration, and HttpUpdateServiceConfiguration functions <div ///class="alert"><b>Note</b> Windows 8 and later versions of Windows.</div> <div> </div> HttpServiceConfigSslCcsCertInfo = 0x00000006, HttpServiceConfigSetting = 0x00000007, HttpServiceConfigSslCertInfoEx = 0x00000008, HttpServiceConfigSslSniCertInfoEx = 0x00000009, HttpServiceConfigSslCcsCertInfoEx = 0x0000000a, HttpServiceConfigSslScopedCcsCertInfo = 0x0000000b, HttpServiceConfigSslScopedCcsCertInfoEx = 0x0000000c, ///Terminates the enumeration; is not used to define a service configuration option. HttpServiceConfigMax = 0x0000000d, } ///The <b>HTTP_SERVICE_CONFIG_QUERY_TYPE</b> enumeration type defines various types of queries to make. It is used in ///the HTTP_SERVICE_CONFIG_SSL_QUERY, HTTP_SERVICE_CONFIG_SSL_CCS_QUERY, and HTTP_SERVICE_CONFIG_URLACL_QUERY ///structures. alias HTTP_SERVICE_CONFIG_QUERY_TYPE = int; enum : int { ///The query returns a single record that matches the specified key value. HttpServiceConfigQueryExact = 0x00000000, ///The query iterates through the store and returns all records in sequence, using an index value that the calling ///process increments between query calls. HttpServiceConfigQueryNext = 0x00000001, ///Terminates the enumeration; is not used to define a query type. HttpServiceConfigQueryMax = 0x00000002, } alias HTTP_SSL_SERVICE_CONFIG_EX_PARAM_TYPE = int; enum : int { ExParamTypeHttp2Window = 0x00000000, ExParamTypeHttp2SettingsLimits = 0x00000001, ExParamTypeHttpPerformance = 0x00000002, ExParamTypeMax = 0x00000003, } ///Used in the HttpSetServiceConfiguration and HttpQueryServiceConfiguration functions. alias HTTP_SERVICE_CONFIG_CACHE_KEY = int; enum : int { ///The maximum cache size for the response. MaxCacheResponseSize = 0x00000000, ///The chunk size. CacheRangeChunkSize = 0x00000001, } alias HTTP_REQUEST_PROPERTY = int; enum : int { HttpRequestPropertyIsb = 0x00000000, HttpRequestPropertyTcpInfoV0 = 0x00000001, HttpRequestPropertyQuicStats = 0x00000002, HttpRequestPropertyTcpInfoV1 = 0x00000003, HttpRequestPropertySni = 0x00000004, } ///The **WINHTTP\_REQUEST\_TIME\_ENTRY** enumeration lists the available types of request timing information. alias WINHTTP_REQUEST_TIME_ENTRY = int; enum : int { ///Start of proxy detection. WinHttpProxyDetectionStart = 0x00000000, ///End of proxy detection. WinHttpProxyDetectionEnd = 0x00000001, ///Start of connection acquisition. WinHttpConnectionAcquireStart = 0x00000002, ///End waiting for an available connection. WinHttpConnectionAcquireWaitEnd = 0x00000003, ///End of connection acquisition. WinHttpConnectionAcquireEnd = 0x00000004, ///Start of name resolution. WinHttpNameResolutionStart = 0x00000005, ///End of name resolution. WinHttpNameResolutionEnd = 0x00000006, ///Start of connection establishment. WinHttpConnectionEstablishmentStart = 0x00000007, ///End of connection establishment. WinHttpConnectionEstablishmentEnd = 0x00000008, ///Start of the first leg of the TLS handshake. WinHttpTlsHandshakeClientLeg1Start = 0x00000009, ///End of the first leg of the TLS handshake. WinHttpTlsHandshakeClientLeg1End = 0x0000000a, ///Start of the second leg of the TLS handshake. WinHttpTlsHandshakeClientLeg2Start = 0x0000000b, ///End of the second leg of the TLS handshake. WinHttpTlsHandshakeClientLeg2End = 0x0000000c, ///Start of the third leg of the TLS handshake. WinHttpTlsHandshakeClientLeg3Start = 0x0000000d, ///End of the third leg of the TLS handshake. WinHttpTlsHandshakeClientLeg3End = 0x0000000e, ///Start waiting for an available stream. WinHttpStreamWaitStart = 0x0000000f, ///End waiting for an available stream. WinHttpStreamWaitEnd = 0x00000010, ///Start sending a request. WinHttpSendRequestStart = 0x00000011, ///Start of request header compression. WinHttpSendRequestHeadersCompressionStart = 0x00000012, ///End of request header compression. WinHttpSendRequestHeadersCompressionEnd = 0x00000013, ///End sending request headers. WinHttpSendRequestHeadersEnd = 0x00000014, ///End sending a request. WinHttpSendRequestEnd = 0x00000015, ///Start receiving a response. WinHttpReceiveResponseStart = 0x00000016, ///Start of response header decompression. WinHttpReceiveResponseHeadersDecompressionStart = 0x00000017, ///End of response header decompression. WinHttpReceiveResponseHeadersDecompressionEnd = 0x00000018, ///End receiving response headers. WinHttpReceiveResponseHeadersEnd = 0x00000019, ///Delta between start and end times for response body decompression. WinHttpReceiveResponseBodyDecompressionDelta = 0x0000001a, ///End receiving a response. WinHttpReceiveResponseEnd = 0x0000001b, ///Start establishing a proxy tunnel. WinHttpProxyTunnelStart = 0x0000001c, ///End establishing a proxy tunnel. WinHttpProxyTunnelEnd = 0x0000001d, ///Start of the first leg of the proxy TLS handshake. WinHttpProxyTlsHandshakeClientLeg1Start = 0x0000001e, ///End of the first leg of the proxy TLS handshake. WinHttpProxyTlsHandshakeClientLeg1End = 0x0000001f, ///Start of the second leg of the proxy TLS handshake. WinHttpProxyTlsHandshakeClientLeg2Start = 0x00000020, ///End of the second leg of the proxy TLS handshake. WinHttpProxyTlsHandshakeClientLeg2End = 0x00000021, ///Start of the third leg of the proxy TLS handshake. WinHttpProxyTlsHandshakeClientLeg3Start = 0x00000022, ///End of the third leg of the proxy TLS handshake. WinHttpProxyTlsHandshakeClientLeg3End = 0x00000023, ///Marker for the end of the list of available timings. WinHttpRequestTimeLast = 0x00000024, ///The maximum number of timings available. WinHttpRequestTimeMax = 0x00000040, } ///The **WINHTTP\_REQUEST\_STAT\_ENTRY** enumeration lists the available types of request statistics. alias WINHTTP_REQUEST_STAT_ENTRY = int; enum : int { ///The number of connection failures during connection establishment. WinHttpConnectFailureCount = 0x00000000, ///The number of proxy connection failures during connection establishment. WinHttpProxyFailureCount = 0x00000001, ///The size of the client data for the first leg of the TLS handshake. WinHttpTlsHandshakeClientLeg1Size = 0x00000002, ///The size of the server data for the first leg of the TLS handshake. WinHttpTlsHandshakeServerLeg1Size = 0x00000003, ///The size of the client data for the second leg of the TLS handshake. WinHttpTlsHandshakeClientLeg2Size = 0x00000004, ///The size of the server data for the second leg of the TLS handshake. WinHttpTlsHandshakeServerLeg2Size = 0x00000005, ///The size of the request headers. WinHttpRequestHeadersSize = 0x00000006, ///The compressed size of the request headers. WinHttpRequestHeadersCompressedSize = 0x00000007, ///The size of the response headers. WinHttpResponseHeadersSize = 0x00000008, ///The compressed size of the response headers. WinHttpResponseHeadersCompressedSize = 0x00000009, ///The size of the response body. WinHttpResponseBodySize = 0x0000000a, ///The compressed size of the response body. WinHttpResponseBodyCompressedSize = 0x0000000b, ///The size of the client data for the first leg of the proxy TLS handshake. WinHttpProxyTlsHandshakeClientLeg1Size = 0x0000000c, ///The size of the server data for the first leg of the proxy TLS handshake. WinHttpProxyTlsHandshakeServerLeg1Size = 0x0000000d, ///The size of the client data for the second leg of the proxy TLS handshake. WinHttpProxyTlsHandshakeClientLeg2Size = 0x0000000e, ///The size of the server data for the second leg of the proxy TLS handshake. WinHttpProxyTlsHandshakeServerLeg2Size = 0x0000000f, ///Marker for the end of the list of available statistics. WinHttpRequestStatLast = 0x00000010, ///The maximum number of statistics available. WinHttpRequestStatMax = 0x00000020, } ///The <b>WINHTTP_WEB_SOCKET_OPERATION</b> enumeration includes the WebSocket operation type. alias WINHTTP_WEB_SOCKET_OPERATION = int; enum : int { ///A WinHttpWebSocketSend operation. WINHTTP_WEB_SOCKET_SEND_OPERATION = 0x00000000, ///A WinHttpWebSocketReceive operation. WINHTTP_WEB_SOCKET_RECEIVE_OPERATION = 0x00000001, ///A WinHttpWebSocketClose operation. WINHTTP_WEB_SOCKET_CLOSE_OPERATION = 0x00000002, ///A WinHttpWebSocketShutdown operation. WINHTTP_WEB_SOCKET_SHUTDOWN_OPERATION = 0x00000003, } ///The <b>WINHTTP_WEB_SOCKET_BUFFER_TYPE</b> enumeration includes types of WebSocket buffers. alias WINHTTP_WEB_SOCKET_BUFFER_TYPE = int; enum : int { ///Buffer contains either the entire binary message or the last part of it. WINHTTP_WEB_SOCKET_BINARY_MESSAGE_BUFFER_TYPE = 0x00000000, ///Buffer contains only part of a binary message. WINHTTP_WEB_SOCKET_BINARY_FRAGMENT_BUFFER_TYPE = 0x00000001, ///Buffer contains either the entire UTF-8 message or the last part of it. WINHTTP_WEB_SOCKET_UTF8_MESSAGE_BUFFER_TYPE = 0x00000002, ///Buffer contains only part of a UTF-8 message. WINHTTP_WEB_SOCKET_UTF8_FRAGMENT_BUFFER_TYPE = 0x00000003, WINHTTP_WEB_SOCKET_CLOSE_BUFFER_TYPE = 0x00000004, } ///The <b>WINHTTP_WEB_SOCKET_CLOSE_STATUS</b> enumeration includes the status of a WebSocket close operation. alias WINHTTP_WEB_SOCKET_CLOSE_STATUS = int; enum : int { ///The connection closed successfully. WINHTTP_WEB_SOCKET_SUCCESS_CLOSE_STATUS = 0x000003e8, ///The peer is going away and terminating the connection. WINHTTP_WEB_SOCKET_ENDPOINT_TERMINATED_CLOSE_STATUS = 0x000003e9, ///A protocol error occurred. WINHTTP_WEB_SOCKET_PROTOCOL_ERROR_CLOSE_STATUS = 0x000003ea, ///Invalid data received by the peer. WINHTTP_WEB_SOCKET_INVALID_DATA_TYPE_CLOSE_STATUS = 0x000003eb, ///The close message was empty. WINHTTP_WEB_SOCKET_EMPTY_CLOSE_STATUS = 0x000003ed, ///The connection was aborted. WINHTTP_WEB_SOCKET_ABORTED_CLOSE_STATUS = 0x000003ee, WINHTTP_WEB_SOCKET_INVALID_PAYLOAD_CLOSE_STATUS = 0x000003ef, ///The message violates an endpoint's policy. WINHTTP_WEB_SOCKET_POLICY_VIOLATION_CLOSE_STATUS = 0x000003f0, ///The message sent was too large to process. WINHTTP_WEB_SOCKET_MESSAGE_TOO_BIG_CLOSE_STATUS = 0x000003f1, ///A client endpoint expected the server to negotiate one or more extensions, but the server didn't return them in ///the response message of the WebSocket handshake. WINHTTP_WEB_SOCKET_UNSUPPORTED_EXTENSIONS_CLOSE_STATUS = 0x000003f2, ///An unexpected condition prevented the server from fulfilling the request. WINHTTP_WEB_SOCKET_SERVER_ERROR_CLOSE_STATUS = 0x000003f3, ///The TLS handshake could not be completed. WINHTTP_WEB_SOCKET_SECURE_HANDSHAKE_ERROR_CLOSE_STATUS = 0x000003f7, } // Callbacks ///The <b>WINHTTP_STATUS_CALLBACK</b> type represents an application-defined status callback function. ///Params: /// hInternet = The handle for which the callback function is called. /// dwContext = A pointer to a <b>DWORD</b> that specifies the application-defined context value associated with the handle in /// the <i>hInternet</i> parameter. A context value can be assigned to a Session, Connect, or Request handle by /// calling WinHttpSetOption with the WINHTTP_OPTION_CONTEXT_VALUE option. Alternatively, WinHttpSendRequest can be /// used to associate a context value with a Request handle. /// dwInternetStatus = Points to a <b>DWORD</b> that specifies the status code that indicates why the callback function is called. This /// can be one of the following values: /// lpvStatusInformation = A pointer to a buffer that specifies information pertinent to this call to the callback function. The format of /// these data depends on the value of the <i>dwInternetStatus</i> argument. For more information, see /// <i>dwInternetStatus</i>. If the <i>dwInternetStatus</i> argument is WINHTTP_CALLBACK_STATUS_SECURE_FAILURE, then /// <i>lpvStatusInformation</i> points to a DWORD which is a bitwise-OR combination of one or more of the following /// values. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_STATUS_FLAG_CERT_REV_FAILED"></a><a /// id="winhttp_callback_status_flag_cert_rev_failed"></a><dl> /// <dt><b>WINHTTP_CALLBACK_STATUS_FLAG_CERT_REV_FAILED</b></dt> </dl> </td> <td width="60%"> Certification /// revocation checking has been enabled, but the revocation check failed to verify whether a certificate has been /// revoked. The server used to check for revocation might be unreachable. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_STATUS_FLAG_INVALID_CERT"></a><a id="winhttp_callback_status_flag_invalid_cert"></a><dl> /// <dt><b>WINHTTP_CALLBACK_STATUS_FLAG_INVALID_CERT</b></dt> </dl> </td> <td width="60%"> SSL certificate is /// invalid. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_CALLBACK_STATUS_FLAG_CERT_REVOKED"></a><a /// id="winhttp_callback_status_flag_cert_revoked"></a><dl> <dt><b>WINHTTP_CALLBACK_STATUS_FLAG_CERT_REVOKED</b></dt> /// </dl> </td> <td width="60%"> SSL certificate was revoked. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_STATUS_FLAG_INVALID_CA"></a><a id="winhttp_callback_status_flag_invalid_ca"></a><dl> /// <dt><b>WINHTTP_CALLBACK_STATUS_FLAG_INVALID_CA</b></dt> </dl> </td> <td width="60%"> The function is unfamiliar /// with the Certificate Authority that generated the server's certificate. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_STATUS_FLAG_CERT_CN_INVALID"></a><a /// id="winhttp_callback_status_flag_cert_cn_invalid"></a><dl> /// <dt><b>WINHTTP_CALLBACK_STATUS_FLAG_CERT_CN_INVALID</b></dt> </dl> </td> <td width="60%"> SSL certificate common /// name (host name field) is incorrect, for example, if you entered www.microsoft.com and the common name on the /// certificate says www.msn.com. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_STATUS_FLAG_CERT_DATE_INVALID"></a><a /// id="winhttp_callback_status_flag_cert_date_invalid"></a><dl> /// <dt><b>WINHTTP_CALLBACK_STATUS_FLAG_CERT_DATE_INVALID</b></dt> </dl> </td> <td width="60%"> SSL certificate date /// that was received from the server is bad. The certificate is expired. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_STATUS_FLAG_SECURITY_CHANNEL_ERROR"></a><a /// id="winhttp_callback_status_flag_security_channel_error"></a><dl> /// <dt><b>WINHTTP_CALLBACK_STATUS_FLAG_SECURITY_CHANNEL_ERROR</b></dt> </dl> </td> <td width="60%"> The application /// experienced an internal error loading the SSL libraries. </td> </tr> </table> /// dwStatusInformationLength = <b>WINHTTP_CALLBACK_STATUS_REDIRECT</b> status callbacks provide a <i>dwStatusInformationLength</i> value that /// corresponds to the character count of the <b>LPWSTR</b> pointed to by <i>lpvStatusInformation</i>. alias WINHTTP_STATUS_CALLBACK = void function(void* hInternet, size_t dwContext, uint dwInternetStatus, void* lpvStatusInformation, uint dwStatusInformationLength); alias LPWINHTTP_STATUS_CALLBACK = void function(); // Structs ///The <b>HTTP_PROPERTY_FLAGS</b> structure is used by the property configuration structures to enable or disable a ///property on a configuration object when setting property configurations. When the configuration structure is used to ///query property configurations, this structure specifies whether the property is present on the configuration object. struct HTTP_PROPERTY_FLAGS { uint _bitfield46; } ///The <b>HTTP_STATE_INFO</b> structure is used to enable or disable a Server Session or URL Group. This structure must ///be used when setting or querying the HttpServerStateProperty on a URL Group or Server Session. struct HTTP_STATE_INFO { ///The HTTP_PROPERTY_FLAGS structure specifying whether the property is present. HTTP_PROPERTY_FLAGS Flags; ///A member of the HTTP_ENABLED_STATE enumeration specifying the whether the configuration object is enabled or ///disabled. This can be used to disable a URL Group or Server Session. HTTP_ENABLED_STATE State; } ///The <b>HTTP_QOS_SETTING_INFO</b> structurecontains information about a QOS setting. struct HTTP_QOS_SETTING_INFO { ///An HTTP_QOS_SETTING_TYPE enumeration value that specifies the type of the QOS setting. HTTP_QOS_SETTING_TYPE QosType; ///A pointer to a structure that contains the setting. void* QosSetting; } ///The <b>HTTP_CONNECTION_LIMIT_INFO</b> structure is used to set or query the limit on the maximum number of ///outstanding connections for a URL Group. This structure must be used when setting or querying the ///HttpServerConnectionsProperty on a URL Group. struct HTTP_CONNECTION_LIMIT_INFO { ///The HTTP_PROPERTY_FLAGS structure specifying whether the property is present. HTTP_PROPERTY_FLAGS Flags; ///The number of connections allowed. Setting this value to HTTP_LIMIT_INFINITE allows an unlimited number of ///connections. uint MaxConnections; } ///The <b>HTTP_BANDWIDTH_LIMIT_INFO</b> structure is used to set or query the bandwidth throttling limit. This structure ///must be used when setting or querying the HttpServerBandwidthProperty on a URL Group or server session. struct HTTP_BANDWIDTH_LIMIT_INFO { ///The HTTP_PROPERTY_FLAGS structure specifying whether the property is present. HTTP_PROPERTY_FLAGS Flags; ///The maximum allowed bandwidth rate in bytesper second. Setting the value to HTTP_LIMIT_INFINITE allows unlimited ///bandwidth rate. The value cannot be smaller than HTTP_MIN_ALLOWED_BANDWIDTH_THROTTLING_RATE. uint MaxBandwidth; } ///The transfer rate of a response struct HTTP_FLOWRATE_INFO { ///An HTTP_PROPERTY_FLAGS structure specifying whether the property is present. HTTP_PROPERTY_FLAGS Flags; ///The maximum bandwidth represented in bytes/second. This is the maximum bandwidth for the response after the burst ///content, whose size is specified in <b>BurstSize</b>, has been sent. uint MaxBandwidth; ///The peak bandwidth represented in bytes/second. This is the maximum bandwidth at which the burst is delivered. uint MaxPeakBandwidth; ///The size of the content, in bytes, to be delivered at <b>MaxPeakBandwidth</b>. Once this content has been ///delivered, the response is throttled at <b>MaxBandwidth</b>. If the HTTP Server application sends responses at a ///rate slower than <b>MaxBandwidth</b>, the response is subject to burst again at <b>MaxPeakBandwidth</b> to ///maximize bandwidth utilization. uint BurstSize; } ///The <b>HTTP_SERVICE_CONFIG_TIMEOUT_SET</b> structure is used to set the HTTP Server API wide timeout value. struct HTTP_SERVICE_CONFIG_TIMEOUT_SET { ///A member of the HTTP_SERVICE_CONFIG_TIMEOUT_KEY enumeration identifying the timer that is set. HTTP_SERVICE_CONFIG_TIMEOUT_KEY KeyDesc; ///The value, in seconds, for the timer. The value must be greater than zero. ushort ParamDesc; } ///The <b>HTTP_TIMEOUT_LIMIT_INFO</b> structure defines the application-specific connection timeout limits. This ///structure must be used when setting or querying the HttpServerTimeoutsProperty on a URL Group, server session, or ///request queue. struct HTTP_TIMEOUT_LIMIT_INFO { ///The HTTP_PROPERTY_FLAGS structure that specifies whether the property is present. HTTP_PROPERTY_FLAGS Flags; ///The time, in seconds, allowed for the request entity body to arrive. The HTTP Server API turns on this timer when ///the request has an entity body. The timer expiration is initially set to the configured value. When the HTTP ///Server API receives additional data indications on the request, it resets the timer to give the connection ///another interval. ushort EntityBody; ///The time, in seconds, allowed for the HTTP Server API to drain the entity body on a Keep-Alive connection. On a ///Keep-Alive connection, after the application has sent a response for a request and before the request entity body ///has completely arrived, the HTTP Server API starts draining the remainder of the entity body to reach another ///potentially pipelined request from the client. If the time to drain the remaining entity body exceeds the allowed ///period the connection is timed out. ushort DrainEntityBody; ///The time, in seconds, allowed for the request to remain in the request queue before the application picks it up. ushort RequestQueue; ///The time, in seconds, allowed for an idle connection. This timeout is only enforced after the first request on ///the connection is routed to the application. For more information, see the Remarks section. ushort IdleConnection; ///The time, in seconds, allowed for the HTTP Server API to parse the request header. This timeout is only enforced ///after the first request on the connection is routed to the application. For more information, see the Remarks ///section. ushort HeaderWait; ///The minimum send rate, in bytes-per-second, for the response. The default response send rate is 150 ///bytes-per-second. To disable this timer, set <b>MinSendRate</b> to <b>MAXULONG</b>. uint MinSendRate; } struct HTTP_SERVICE_CONFIG_SETTING_SET { HTTP_SERVICE_CONFIG_SETTING_KEY KeyDesc; uint ParamDesc; } ///Controls whether IP-based URLs should listen on the specific IP address or on a wildcard. struct HTTP_LISTEN_ENDPOINT_INFO { ///The HTTP_PROPERTY_FLAGS structure that specifies if the property is present. HTTP_PROPERTY_FLAGS Flags; ///A Boolean value that specifies whether sharing is enabled. ubyte EnableSharing; } ///The <b>HTTP_SERVER_AUTHENTICATION_DIGEST_PARAMS</b> structure contains the information for digest authentication on a ///URL Group. This structure is contained in the HTTP_SERVER_AUTHENTICATION_INFO structure. struct HTTP_SERVER_AUTHENTICATION_DIGEST_PARAMS { ///The length, in bytes, of the <b>DomainName</b> member. ushort DomainNameLength; ///The domain name used for Digest authentication. If <b>NULL</b>, the client assumes the protection space consists ///of all the URIs under the responding server. PWSTR DomainName; ///The length, in bytes, of the <b>Realm</b> member. ushort RealmLength; ///The realm used for Digest authentication. The realm allows the server to be partitioned into a set of protection ///spaces, each with its own set of authentication schemes from the authentication database. PWSTR Realm; } ///The <b>HTTP_SERVER_AUTHENTICATION_BASIC_PARAMS</b> structure contains the information for Basic authentication on a ///URL Group. This structure is contained in the HTTP_SERVER_AUTHENTICATION_INFO structure. struct HTTP_SERVER_AUTHENTICATION_BASIC_PARAMS { ///The length, in bytes, of the <b>Realm</b> member. ushort RealmLength; ///The realm used for Basic authentication. The realm allows the server to be partitioned into a set of protection ///spaces, each with its own set of authentication schemes from the authentication database. PWSTR Realm; } ///The <b>HTTP_SERVER_AUTHENTICATION_INFO</b> structure is used to enable server-side authentication on a URL group or ///server session. This structure is also used to query the existing authentication schemes enabled for a URL group or ///server session. This structure must be used when setting or querying the HttpServerAuthenticationProperty on a URL ///group, or server session. struct HTTP_SERVER_AUTHENTICATION_INFO { ///The HTTP_PROPERTY_FLAGS structure that specifies if the property is present. HTTP_PROPERTY_FLAGS Flags; ///The supported authentication schemes. This can be one or more of the following: <table> <tr> <th>Authentication ///Scheme</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="HTTP_AUTH_ENABLE_BASIC"></a><a ///id="http_auth_enable_basic"></a><dl> <dt><b>HTTP_AUTH_ENABLE_BASIC</b></dt> </dl> </td> <td width="60%"> Basic ///authentication is enabled. </td> </tr> <tr> <td width="40%"><a id="HTTP_AUTH_ENABLE_DIGEST"></a><a ///id="http_auth_enable_digest"></a><dl> <dt><b>HTTP_AUTH_ENABLE_DIGEST</b></dt> </dl> </td> <td width="60%"> Digest ///authentication is enabled. </td> </tr> <tr> <td width="40%"><a id="HTTP_AUTH_ENABLE_NTLM"></a><a ///id="http_auth_enable_ntlm"></a><dl> <dt><b>HTTP_AUTH_ENABLE_NTLM</b></dt> </dl> </td> <td width="60%"> NTLM ///authentication is enabled. </td> </tr> <tr> <td width="40%"><a id="_HTTP_AUTH_ENABLE_NEGOTIATE"></a><a ///id="_http_auth_enable_negotiate"></a><dl> <dt><b> HTTP_AUTH_ENABLE_NEGOTIATE</b></dt> </dl> </td> <td ///width="60%"> Negotiate authentication is enabled. </td> </tr> <tr> <td width="40%"><a ///id="HTTP_AUTH_ENABLE_KERBEROS"></a><a id="http_auth_enable_kerberos"></a><dl> ///<dt><b>HTTP_AUTH_ENABLE_KERBEROS</b></dt> </dl> </td> <td width="60%"> Kerberos authentication is enabled. </td> ///</tr> <tr> <td width="40%"><a id="_HTTP_AUTH_ENABLE_ALL"></a><a id="_http_auth_enable_all"></a><dl> <dt><b> ///HTTP_AUTH_ENABLE_ALL</b></dt> </dl> </td> <td width="60%"> All types of authentication are enabled. </td> </tr> ///</table> uint AuthSchemes; ///A Boolean value that indicates, if <b>True</b>, that the client application receives the server credentials for ///mutual authentication with the authenticated request. If <b>False</b>, the client application does not receive ///the credentials. Be aware that this option is set for all requests served by the associated request queue. ubyte ReceiveMutualAuth; ///A Boolean value that indicates, if <b>True</b>, that the finalized client context is serialized and passed to the ///application with the request. If <b>False</b>, the application does not receive the context. This handle can be ///used to query context attributes. ubyte ReceiveContextHandle; ///A Boolean value that indicates, if <b>True</b>, that the NTLM credentials are not cached. If <b>False</b>, the ///default behavior is preserved. By default, HTTP caches the client context for Keep Alive (KA) connections for the ///NTLM scheme if the request did not originate from a proxy. ubyte DisableNTLMCredentialCaching; ///Optional authentication flags. Can be one or more of the following possible values: <table> <tr> <th>Value</th> ///<th>Meaning</th> </tr> <tr> <td width="40%"><a id="HTTP_AUTH_EX_FLAG_ENABLE_KERBEROS_CREDENTIAL_CACHING"></a><a ///id="http_auth_ex_flag_enable_kerberos_credential_caching"></a><dl> ///<dt><b>HTTP_AUTH_EX_FLAG_ENABLE_KERBEROS_CREDENTIAL_CACHING</b></dt> </dl> </td> <td width="60%"> If set, the ///Kerberos authentication credentials are cached. Kerberos or Negotiate authentication must be enabled by ///<b>AuthSchemes</b>. </td> </tr> <tr> <td width="40%"><a id="HTTP_AUTH_EX_FLAG_CAPTURE_CREDENTIAL"></a><a ///id="http_auth_ex_flag_capture_credential"></a><dl> <dt><b>HTTP_AUTH_EX_FLAG_CAPTURE_CREDENTIAL</b></dt> </dl> ///</td> <td width="60%"> If set, the HTTP Server API captures the caller's credentials and uses them for Kerberos ///or Negotiate authentication. Kerberos or Negotiate authentication must be enabled by <b>AuthSchemes</b>. </td> ///</tr> </table> ubyte ExFlags; ///The HTTP_SERVER_AUTHENTICATION_DIGEST_PARAMS structure that provides the domain and realm for the digest ///challenge. HTTP_SERVER_AUTHENTICATION_DIGEST_PARAMS DigestParams; ///The HTTP_SERVER_AUTHENTICATION_BASIC_PARAMS structure that provides the realm for the basic challenge. HTTP_SERVER_AUTHENTICATION_BASIC_PARAMS BasicParams; } ///The <b>HTTP_SERVICE_BINDING_BASE</b> structure is a placeholder for the HTTP_SERVICE_BINDING_A structure and the ///HTTP_SERVICE_BINDING_W structure. struct HTTP_SERVICE_BINDING_BASE { ///Pointer to an HTTP_SERVICE_BINDING_TYPE value that indicates whether the data is in ASCII or Unicode. HTTP_SERVICE_BINDING_TYPE Type; } ///The <b>HTTP_SERVICE_BINDING_A</b> structure provides Service Principle Name (SPN) in ASCII. struct HTTP_SERVICE_BINDING_A { ///An HTTP_SERVICE_BINDING_BASE value, the <b>Type</b> member of which must be set to ///<b>HttpServiceBindingTypeA</b>. HTTP_SERVICE_BINDING_BASE Base; ///A pointer to a buffer that represents the SPN. PSTR Buffer; uint BufferSize; } ///The <b>HTTP_SERVICE_BINDING_W</b> structure provides Service Principle Name (SPN) in Unicode. struct HTTP_SERVICE_BINDING_W { ///An HTTP_SERVICE_BINDING_BASE value, the <b>Type</b> member of which must be set to ///<b>HttpServiceBindingTypeW</b>. HTTP_SERVICE_BINDING_BASE Base; ///A pointer to a buffer that represents the SPN. PWSTR Buffer; uint BufferSize; } ///The <b>HTTP_CHANNEL_BIND_INFO</b> structure is used to set or query channel bind authentication. struct HTTP_CHANNEL_BIND_INFO { ///An HTTP_AUTHENTICATION_HARDENING_LEVELS value indicating the hardening level levels to be set or queried per ///server session or URL group. HTTP_AUTHENTICATION_HARDENING_LEVELS Hardening; ///A bitwise OR combination of flags that determine the behavior of authentication. The following values are ///supported. <table> <tr> <td>Name</td> <td>Value</td> <td>Meaning</td> </tr> <tr> <td>HTTP_CHANNEL_BIND_PROXY</td> ///<td>0x1</td> <td>The exact Channel Bind Token (CBT) match is bypassed. CBT is checked not to be equal to ///‘unbound’. Service Principle Name (SPN) check is enabled. </td> </tr> <tr> ///<td>HTTP_CHANNEL_BIND_PROXY_COHOSTING</td> <td>Ox20</td> <td>This flag is valid only if HTTP_CHANNEL_BIND_PROXY ///is also set. With the flag set, the CBT check (comparing with ‘unbound’) is skipped. The flag should be set ///if both secure channel traffic passed through proxy and traffic originally sent through insecure channel have to ///be authenticated. </td> </tr> <tr> <td>HTTP_CHANNEL_BIND_NO_SERVICE_NAME_CHECK</td> <td>0x2</td> <td>SPN check ///always succeeds.</td> </tr> <tr> <td>HTTP_CHANNEL_BIND_DOTLESS_SERVICE</td> <td>0x4</td> <td>Enables dotless ///service names. Otherwise configuring CBT properties with dotless service names will fail. </td> </tr> <tr> ///<td>HTTP_CHANNEL_BIND_SECURE_CHANNEL_TOKEN</td> <td>0x8</td> <td>Server session, URL group, or response is ///configured to retrieve secure channel endpoint binding for each request and pass it to user the mode application. ///When set, a pointer to a buffer with the secure channel endpoint binding is stored in an ///HTTP_REQUEST_CHANNEL_BIND_STATUS structure. </td> </tr> <tr> <td>HTTP_CHANNEL_BIND_CLIENT_SERVICE</td> ///<td>0x10</td> <td>Server session, URL group, or response is configured to retrieve SPN for each request and pass ///it to the user mode application. The SPN is stored in the <b>ServiceName</b> field of the ///HTTP_REQUEST_CHANNEL_BIND_STATUS structure. The type is always <b>HttpServiceBindingTypeW</b> (Unicode). </td> ///</tr> </table> uint Flags; ///Pointer to a buffer holding an array of 1 or more service names. Each service name is represented by either an ///HTTP_SERVICE_BINDING_A structure or an HTTP_SERVICE_BINDING_W structure, dependent upon whether the name is ASCII ///or Unicode. Regardless of which structure type is used, the array is cast into a pointer to an ///HTTP_SERVICE_BINDING_BASE structure. HTTP_SERVICE_BINDING_BASE** ServiceNames; ///The number of names in <b>ServiceNames</b>. uint NumberOfServiceNames; } ///The <b>HTTP_REQUEST_CHANNEL_BIND_STATUS</b> structure contains secure channel endpoint binding information. struct HTTP_REQUEST_CHANNEL_BIND_STATUS { ///A pointer to an HTTP_SERVICE_BINDING_W structure cast to a pointer to an HTTP_SERVICE_BINDING_BASE structure ///containing the service name from the client. This is populated if the request's Channel Binding Token (CBT) is ///not configured to retrieve service names. HTTP_SERVICE_BINDING_BASE* ServiceName; ///A pointer to a buffer that contains the secure channel endpoint binding. ubyte* ChannelToken; ///The length of the <b>ChannelToken</b> buffer in bytes. uint ChannelTokenSize; uint Flags; } struct HTTP_REQUEST_TOKEN_BINDING_INFO { ubyte* TokenBinding; uint TokenBindingSize; ubyte* EKM; uint EKMSize; ubyte KeyType; } ///The <b>HTTP_LOGGING_INFO</b> structure is used to enable server side logging on a URL Group or on a server session. ///This structure must be used when setting or querying the HttpServerLoggingProperty on a URL Group or server session. struct HTTP_LOGGING_INFO { ///The HTTP_PROPERTY_FLAGS structure that specifies whether the property is present. HTTP_PROPERTY_FLAGS Flags; ///The optional logging flags change the default logging behavior. These can be one or more of the following ///HTTP_LOGGING_FLAG values: <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a ///id="HTTP_LOGGING_FLAG_LOCAL_TIME_ROLLOVER"></a><a id="http_logging_flag_local_time_rollover"></a><dl> ///<dt><b>HTTP_LOGGING_FLAG_LOCAL_TIME_ROLLOVER</b></dt> </dl> </td> <td width="60%"> Changes the log file rollover ///time to local time. By default log file rollovers are based on GMT. </td> </tr> <tr> <td width="40%"><a ///id="HTTP_LOGGING_FLAG_USE_UTF8_CONVERSION"></a><a id="http_logging_flag_use_utf8_conversion"></a><dl> ///<dt><b>HTTP_LOGGING_FLAG_USE_UTF8_CONVERSION</b></dt> </dl> </td> <td width="60%"> By default, the unicode ///logging fields are converted to multibytes using the systems local code page. If this flags is set, the UTF8 ///conversion is used instead. </td> </tr> <tr> <td width="40%"><a id="HTTP_LOGGING_FLAG_LOG_ERRORS_ONLY"></a><a ///id="http_logging_flag_log_errors_only"></a><dl> <dt><b>HTTP_LOGGING_FLAG_LOG_ERRORS_ONLY</b></dt> </dl> </td> <td ///width="60%"> The log errors only flag enables logging errors only. By default, both error and success request are ///logged. The <b>HTTP_LOGGING_FLAG_LOG_ERRORS_ONLY</b> and <b>HTTP_LOGGING_FLAG_LOG_SUCCESS_ONLY</b> flags are used ///to perform selective logging. Only one of these flags can be set at a time; they are mutually exclusive. </td> ///</tr> <tr> <td width="40%"><a id="HTTP_LOGGING_FLAG_LOG_SUCCESS_ONLY"></a><a ///id="http_logging_flag_log_success_only"></a><dl> <dt><b>HTTP_LOGGING_FLAG_LOG_SUCCESS_ONLY</b></dt> </dl> </td> ///<td width="60%"> The log success only flag enables logging successful requests only. By default, both error and ///success request are logged. The <b>HTTP_LOGGING_FLAG_LOG_ERRORS_ONLY</b> and ///<b>HTTP_LOGGING_FLAG_LOG_SUCCESS_ONLY</b> flags are used to perform selective logging. Only one of these flags ///can be set at a time; they are mutually exclusive. </td> </tr> </table> uint LoggingFlags; ///The optional software name string used in W3C type logging. This name is not used for other types of logging. If ///this parameter is <b>NULL</b>, the HTTP Server API logs a default string. const(PWSTR) SoftwareName; ///The length, in bytes, of the software name. The length cannot be greater than <b>MAX_PATH</b>. If the ///<b>SoftwareName</b> member is <b>NULL</b>, this length must be zero. ushort SoftwareNameLength; ///The length, in bytes, of the directory name. The length cannot be greater than 424 bytes. ushort DirectoryNameLength; ///The logging directory under which the log files are created. The directory string must be a fully qualified path ///including the drive letter. Applications can use a UNC path to a remote machine to enable UNC logging. const(PWSTR) DirectoryName; ///A member of the HTTP_LOGGING_TYPE enumeration specifying one of the following log file formats. <table> <tr> ///<th>Format</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="HttpLoggingTypeW3C"></a><a ///id="httploggingtypew3c"></a><a id="HTTPLOGGINGTYPEW3C"></a><dl> <dt><b>HttpLoggingTypeW3C</b></dt> </dl> </td> ///<td width="60%"> The log format is W3C style extended logging. With this format, application can pick a ///combination of log fields to be logged. When W3C logging is set on a URL group, logging is similar to the IIS6 ///site logging. When W3C logging is set on a server session, this logging functions as a centralized logging for ///all of the URL Groups. </td> </tr> <tr> <td width="40%"><a id="HttpLoggingTypeIIS"></a><a ///id="httploggingtypeiis"></a><a id="HTTPLOGGINGTYPEIIS"></a><dl> <dt><b>HttpLoggingTypeIIS</b></dt> </dl> </td> ///<td width="60%"> The log format is IIS6/5 style logging. This format has fixed field definitions; applications ///cannot select the fields that are logged. This format cannot be used for logging a server session. </td> </tr> ///<tr> <td width="40%"><a id="HttpLoggingTypeNCSA"></a><a id="httploggingtypencsa"></a><a ///id="HTTPLOGGINGTYPENCSA"></a><dl> <dt><b>HttpLoggingTypeNCSA</b></dt> </dl> </td> <td width="60%"> The log format ///is NCSA style logging. This format has fixed field definitions; applications cannot select the fields that are ///logged. This format cannot be used for logging a server session. </td> </tr> <tr> <td width="40%"><a ///id="HttpLoggingTypeRaw"></a><a id="httploggingtyperaw"></a><a id="HTTPLOGGINGTYPERAW"></a><dl> ///<dt><b>HttpLoggingTypeRaw</b></dt> </dl> </td> <td width="60%"> The log format is centralized binary logging. ///This format has fixed field definitions; applications cannot select the fields that are logged. This format ///cannot be used for logging a URL Group. </td> </tr> </table> HTTP_LOGGING_TYPE Format; ///The fields that are logged when the format is set to W3C. These can be one or more of the HTTP_LOG_FIELD_ ///Constants values. When the logging format is W3C is , applications must specify the log fields otherwise no ///fields are logged. uint Fields; ///Reserved. Set to 0 (zero) or <b>NULL</b>. void* pExtFields; ///Reserved. Set to 0 (zero) or <b>NULL</b>. ushort NumOfExtFields; ///Reserved. Set to 0 (zero) or <b>NULL</b>. ushort MaxRecordSize; ///One of the following members of the HTTP_LOGGING_ROLLOVER_TYPE enumeration specifying the criteria for log file ///rollover. <table> <tr> <th>Rollover Type</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a ///id="HttpLoggingRolloverSize"></a><a id="httploggingrolloversize"></a><a id="HTTPLOGGINGROLLOVERSIZE"></a><dl> ///<dt><b>HttpLoggingRolloverSize</b></dt> </dl> </td> <td width="60%"> The log files are rolled over when they ///reach or exceed a specified size. </td> </tr> <tr> <td width="40%"><a id="HttpLoggingRolloverDaily"></a><a ///id="httploggingrolloverdaily"></a><a id="HTTPLOGGINGROLLOVERDAILY"></a><dl> ///<dt><b>HttpLoggingRolloverDaily</b></dt> </dl> </td> <td width="60%"> The log files are rolled over every day. ///</td> </tr> <tr> <td width="40%"><a id="HttpLoggingRolloverWeekly"></a><a id="httploggingrolloverweekly"></a><a ///id="HTTPLOGGINGROLLOVERWEEKLY"></a><dl> <dt><b>HttpLoggingRolloverWeekly</b></dt> </dl> </td> <td width="60%"> ///The log files are rolled over every week. </td> </tr> <tr> <td width="40%"><a ///id="HttpLoggingRolloverMonthly"></a><a id="httploggingrollovermonthly"></a><a ///id="HTTPLOGGINGROLLOVERMONTHLY"></a><dl> <dt><b>HttpLoggingRolloverMonthly</b></dt> </dl> </td> <td width="60%"> ///The log files are rolled over every month. </td> </tr> <tr> <td width="40%"><a ///id="HttpLoggingRolloverHourly"></a><a id="httploggingrolloverhourly"></a><a ///id="HTTPLOGGINGROLLOVERHOURLY"></a><dl> <dt><b>HttpLoggingRolloverHourly</b></dt> </dl> </td> <td width="60%"> ///The log files are rolled over every hour. </td> </tr> </table> HTTP_LOGGING_ROLLOVER_TYPE RolloverType; ///The maximum size, in bytes, after which the log files is rolled over. A value of <b>HTTP_LIMIT_INFINITE</b> ///indicates an unlimited size. The minimum value cannot be smaller than ///<b>HTTP_MIN_ALLOWED_LOG_FILE_ROLLOVER_SIZE</b> (1024 * 1024). This field is used only for ///<b>HttpLoggingRolloverSize</b> rollover type and should be set to zero for all other types. When rollover type is ///<b>HttpLoggingRolloverSize</b>, applications must specify the maximum size for the log file. uint RolloverSize; ///The security descriptor that is applied to the log files directory and all sub-directories. If this member is ///<b>NULL</b>, either the system default ACL is used or the ACL is inherited from the parent directory. void* pSecurityDescriptor; } ///The <b>HTTP_BINDING_INFO</b> structure is used to associate a URL Group with a request queue. This structure must be ///used when setting or querying the HttpServerBindingProperty on a URL Group. struct HTTP_BINDING_INFO { ///The HTTP_PROPERTY_FLAGS structure specifying whether the property is present. HTTP_PROPERTY_FLAGS Flags; ///The request queue that is associated with the URL group. The structure can be used to remove an existing binding ///by setting this parameter to <b>NULL</b>. HANDLE RequestQueueHandle; } struct HTTP_PROTECTION_LEVEL_INFO { HTTP_PROPERTY_FLAGS Flags; HTTP_PROTECTION_LEVEL_TYPE Level; } ///The <b>HTTP_BYTE_RANGE</b> structure is used to specify a byte range within a cached response fragment, file, or ///other data block. struct HTTP_BYTE_RANGE { ///Starting offset of the byte range. ULARGE_INTEGER StartingOffset; ///Size, in bytes, of the range. If this member is HTTP_BYTE_RANGE_TO_EOF, the range extends from the starting ///offset to the end of the file or data block. ULARGE_INTEGER Length; } ///The <b>HTTP_VERSION</b> structure defines a version of the HTTP protocol that a request requires or a response ///provides. This is not to be confused with the version of the HTTP Server API used, which is stored in an ///HTTPAPI_VERSION structure. struct HTTP_VERSION { ///Major version of the HTTP protocol. ushort MajorVersion; ///Minor version of the HTTP protocol. ushort MinorVersion; } ///The <b>HTTP_KNOWN_HEADER</b> structure contains the header values for a known header from an HTTP request or HTTP ///response. struct HTTP_KNOWN_HEADER { ///Size, in bytes, of the 8-bit string pointed to by the <b>pRawValue</b> member, not counting a terminating null ///character, if present. If <b>RawValueLength</b> is zero, then the value of the <b>pRawValue</b> element is ///meaningless. ushort RawValueLength; ///Pointer to the text of this HTTP header. Use <b>RawValueLength</b> to determine where this text ends rather than ///relying on the string to have a terminating null. The format of the header text is specified in RFC 2616. const(PSTR) pRawValue; } ///The <b>HTTP_UNKNOWN_HEADER</b> structure contains the name and value for a header in an HTTP request or response ///whose name does not appear in the enumeration. struct HTTP_UNKNOWN_HEADER { ///The size, in bytes, of the data pointed to by the <b>pName</b> member not counting a terminating null. ushort NameLength; ///The size, in bytes, of the data pointed to by the <b>pRawValue</b> member, in bytes. ushort RawValueLength; ///A pointer to a string of octets that specifies the header name. Use <b>NameLength</b> to determine the end of the ///string, rather than relying on a terminating <b>null</b>. const(PSTR) pName; ///A pointer to a string of octets that specifies the values for this header. Use <b>RawValueLength</b> to determine ///the end of the string, rather than relying on a terminating <b>null</b>. const(PSTR) pRawValue; } ///The <b>HTTP_LOG_DATA</b> structure contains a value that specifies the type of the log data. struct HTTP_LOG_DATA { ///An HTTP_LOG_DATA_TYPE enumeration value that specifies the type. HTTP_LOG_DATA_TYPE Type; } ///The <b>HTTP_LOG_FIELDS_DATA</b> structure is used to pass the fields that are logged for an HTTP response when WC3 ///logging is enabled. struct HTTP_LOG_FIELDS_DATA { ///Initialize this member to the <b>HttpLogDataTypeFields</b> value of the HTTP_LOG_DATA_TYPE enumeration. HTTP_LOG_DATA Base; ///The size, in bytes, of the user name member. ushort UserNameLength; ///The size, in bytes, of the URI stem member. ushort UriStemLength; ///The size, in bytes, of the client IP address member. ushort ClientIpLength; ///The size, in bytes, of the server name member. ushort ServerNameLength; ushort ServiceNameLength; ///The size, in bytes, of the server IP address member. ushort ServerIpLength; ///The size, in bytes, of the HTTP method member. ushort MethodLength; ///The size, in bytes, of the URI query member. ushort UriQueryLength; ///The size, in bytes, of the host name member. ushort HostLength; ///The size, in bytes, of the user agent member. ushort UserAgentLength; ///The size, in bytes, of the cookie member. ushort CookieLength; ///The size, in bytes, of the referrer member. ushort ReferrerLength; ///The name of the user. PWSTR UserName; ///The URI stem. PWSTR UriStem; ///The IP address of the client. PSTR ClientIp; ///The name of the server. PSTR ServerName; ///The name of the service. PSTR ServiceName; ///The IP address of the server. PSTR ServerIp; ///The HTTP method. PSTR Method; ///The URI query. PSTR UriQuery; ///The host information from the request. PSTR Host; ///The user agent name. PSTR UserAgent; ///The cookie provided by the application. PSTR Cookie; ///The referrer. PSTR Referrer; ///The port for the server. ushort ServerPort; ///The protocol status. ushort ProtocolStatus; ///The win32 status. uint Win32Status; ///The method number. HTTP_VERB MethodNum; ///The sub status. ushort SubStatus; } ///The <b>HTTP_DATA_CHUNK</b> structure represents an individual block of data either in memory, in a file, or in the ///HTTP Server API response-fragment cache. struct HTTP_DATA_CHUNK { ///Type of data store. This member can be one of the values from the <b>HTTP_DATA_CHUNK_TYPE</b> enumeration. HTTP_DATA_CHUNK_TYPE DataChunkType; union { struct FromMemory { void* pBuffer; uint BufferLength; } struct FromFileHandle { HTTP_BYTE_RANGE ByteRange; HANDLE FileHandle; } struct FromFragmentCache { ushort FragmentNameLength; const(PWSTR) pFragmentName; } struct FromFragmentCacheEx { HTTP_BYTE_RANGE ByteRange; const(PWSTR) pFragmentName; } } } ///The <b>HTTP_REQUEST_HEADERS</b> structure contains headers sent with an HTTP request. struct HTTP_REQUEST_HEADERS { ///A number of unknown headers sent with the HTTP request. This number is the size of the array pointed to by the ///<b>pUnknownHeaders</b> member. ushort UnknownHeaderCount; ///A pointer to an array of HTTP_UNKNOWN_HEADER structures. This array contains one structure for each of the ///unknown headers sent in the HTTP request. HTTP_UNKNOWN_HEADER* pUnknownHeaders; ///This member is reserved and must be zero. ushort TrailerCount; ///This member is reserved and must be <b>NULL</b>. HTTP_UNKNOWN_HEADER* pTrailers; ///Fixed-size array of HTTP_KNOWN_HEADER structures. The HTTP_HEADER_ID enumeration provides a mapping from header ///types to array indexes. If a known header of a given type is included in the HTTP request, the array element at ///the index that corresponds to that type specifies the header value. Those elements of the array for which no ///corresponding headers are present contain a zero-valued <b>RawValueLength</b> member. Use <b>RawValueLength</b> ///to determine the end of the header string pointed to by <b>pRawValue</b>, rather than relying on the string to ///have a terminating null. HTTP_KNOWN_HEADER[41] KnownHeaders; } ///The <b>HTTP_RESPONSE_HEADERS</b> structure contains the headers sent with an HTTP response. struct HTTP_RESPONSE_HEADERS { ///A number of unknown headers sent with the HTTP response and contained in the array pointed to by the ///<b>pUnknownHeaders</b> member. This number cannot exceed 9999. ushort UnknownHeaderCount; ///A pointer to an array of HTTP_UNKNOWN_HEADER structures that contains one structure for each of the unknown ///headers sent in the HTTP response. HTTP_UNKNOWN_HEADER* pUnknownHeaders; ///This member is reserved and must be zero. ushort TrailerCount; ///This member is reserved and must be <b>NULL</b>. HTTP_UNKNOWN_HEADER* pTrailers; ///Fixed-size array of HTTP_KNOWN_HEADER structures. The HTTP_HEADER_ID enumeration provides a mapping from header ///types to array indexes. If a known header of a given type is included in the HTTP response, the array element at ///the index that corresponds to that type specifies the header value. Those elements of the array for which no ///corresponding headers are present contain a zero-valued <b>RawValueLength</b> member. Use <b>RawValueLength</b> ///to determine the end of the header string pointed to by <b>pRawValue</b>, rather than relying on the string to ///have a terminating null. HTTP_KNOWN_HEADER[30] KnownHeaders; } ///Describes additional property information when delegating a request. struct HTTP_DELEGATE_REQUEST_PROPERTY_INFO { ///Type: **[HTTP_DELEGATE_REQUEST_PROPERTY_ID](./ne-http-http_delegate_request_property_id.md)** The type of ///property info pointed to by this struct. HTTP_DELEGATE_REQUEST_PROPERTY_ID ProperyId; ///Type: **[ULONG](/windows/win32/winprog/windows-data-types)** The length in bytes of the value of the ///*PropertyInfo* parameter. uint PropertyInfoLength; ///Type: **[PVOID](/windows/win32/winprog/windows-data-types)** A pointer to the property information. void* PropertyInfo; } ///The <b>HTTP_TRANSPORT_ADDRESS</b> structure specifies the addresses (local and remote) used for a particular HTTP ///connection. struct HTTP_TRANSPORT_ADDRESS { ///A pointer to the remote IP address associated with this connection. For more information about how to access this ///address, see the Remarks section. SOCKADDR* pRemoteAddress; ///A pointer to the local IP address associated with this connection. For more information about how to access this ///address, see the Remarks section. SOCKADDR* pLocalAddress; } ///The <b>HTTP_COOKED_URL</b> structure contains a validated, canonical, UTF-16 Unicode-encoded URL request string ///together with pointers into it and element lengths. This is the string that the HTTP Server API matches against ///registered UrlPrefix strings in order to route the request appropriately. struct HTTP_COOKED_URL { ///Size, in bytes, of the data pointed to by the <b>pFullUrl</b> member, not including a terminating null character. ushort FullUrlLength; ///Size, in bytes, of the data pointed to by the <b>pHost</b> member. ushort HostLength; ///Size, in bytes, of the data pointed to by the <b>pAbsPath</b> member. ushort AbsPathLength; ///Size, in bytes, of the data pointed to by the <b>pQueryString</b> member. ushort QueryStringLength; ///Pointer to the scheme element at the beginning of the URL (must be either "http://..." or "https://..."). const(PWSTR) pFullUrl; ///Pointer to the first character in the host element, immediately following the double slashes at the end of the ///scheme element. const(PWSTR) pHost; ///Pointer to the third forward slash ("/") in the string. In a UrlPrefix string, this is the slash immediately ///preceding the relativeUri element. const(PWSTR) pAbsPath; ///Pointer to the first question mark (?) in the string, or <b>NULL</b> if there is none. const(PWSTR) pQueryString; } ///The <b>HTTP_SSL_CLIENT_CERT_INFO</b> structure contains data about a Secure Sockets Layer (SSL) client certificate ///that can be used to determine whether the certificate is valid. struct HTTP_SSL_CLIENT_CERT_INFO { ///Flags that indicate whether the certificate is valid. The possible values for this member are a SSPI Status Code ///returned from SSPI or one of the following flags from the <b>dwError</b> member of the CERT_CHAIN_POLICY_STATUS ///structure: <a id="CERT_E_EXPIRED"></a> <a id="cert_e_expired"></a> uint CertFlags; ///The size, in bytes, of the certificate. uint CertEncodedSize; ///A pointer to the actual certificate. ubyte* pCertEncoded; ///A handle to an access token. If the HTTP_SERVICE_CONFIG_SSL_FLAG_USE_DS_MAPPER flag is set using the ///HttpSetServiceConfiguration function, and the client certificate was successfully mapped to an operating-system ///user account, then this member contains the handle to a valid access token. When the ///<b>HTTP_SSL_CLIENT_CERT_INFO</b> structure is no longer required, release this token explicitly by closing the ///handle. HANDLE Token; ///Reserved. ubyte CertDeniedByMapper; } ///The <b>HTTP_SSL_INFO</b> structure contains data for a connection that uses Secure Sockets Layer (SSL), obtained ///through the SSL handshake. struct HTTP_SSL_INFO { ///The size, in bytes, of the public key used to sign the server certificate. ushort ServerCertKeySize; ///The size, in bytes, of the cipher key used to encrypt the current session. ushort ConnectionKeySize; ///The size, in bytes, of the string pointed to by the <b>pServerCertIssuer</b> member not including the terminating ///null character. uint ServerCertIssuerSize; ///The size, in bytes, of the string pointed to by the <b>pServerCertSubject</b> member not including the ///terminating null character. uint ServerCertSubjectSize; ///A pointer to a null-terminated string of octets that specifies the name of the entity that issued the ///certificate. const(PSTR) pServerCertIssuer; ///A pointer to a null-terminated string of octets that specifies the name of the entity to which the certificate ///belongs. const(PSTR) pServerCertSubject; ///A pointer to an HTTP_SSL_CLIENT_CERT_INFO structure that specifies the client certificate. HTTP_SSL_CLIENT_CERT_INFO* pClientCertInfo; ///If non-zero, indicates that the client certificate is already present locally. uint SslClientCertNegotiated; } struct HTTP_SSL_PROTOCOL_INFO { uint Protocol; uint CipherType; uint CipherStrength; uint HashType; uint HashStrength; uint KeyExchangeType; uint KeyExchangeStrength; } struct HTTP_REQUEST_SIZING_INFO { ulong Flags; uint RequestIndex; uint RequestSizingCount; ulong[5] RequestSizing; } struct HTTP_REQUEST_TIMING_INFO { uint RequestTimingCount; ulong[30] RequestTiming; } ///The <b>HTTP_REQUEST_INFO</b> structure extends the HTTP_REQUEST structure with additional information about the ///request. struct HTTP_REQUEST_INFO { ///A member of the HTTP_REQUEST_INFO_TYPE enumeration specifying the type of information contained in this ///structure. HTTP_REQUEST_INFO_TYPE InfoType; ///The length, in bytes, of the <b>pInfo</b> member. uint InfoLength; ///A pointer to the HTTP_REQUEST_AUTH_INFO structure when the <b>InfoType</b> member is ///<b>HttpRequestInfoTypeAuth</b>; otherwise <b>NULL</b>. void* pInfo; } ///The <b>HTTP_REQUEST_AUTH_INFO</b> structure contains the authentication status of the request with a handle to the ///client token that the receiving process can use to impersonate the authenticated client. This structure is contained ///in the HTTP_REQUEST_INFO structure. struct HTTP_REQUEST_AUTH_INFO { ///A member of the HTTP_AUTH_STATUS enumeration that indicates the final authentication status of the request. If ///the authentication status is not <b>HttpAuthStatusSuccess</b>, applications should disregard members of this ///structure except <b>AuthStatus</b>, <b>SecStatus</b>, and <b>AuthType</b>. HTTP_AUTH_STATUS AuthStatus; ///A SECURITY_STATUS value that indicates the security failure status when the <b>AuthStatus</b> member is ///<b>HttpAuthStatusFailure</b>. int SecStatus; ///The authentication flags that indicate the following authentication attributes: <table> <tr> <th>Attribute</th> ///<th>Meaning</th> </tr> <tr> <td width="40%"><a id="HTTP_REQUEST_AUTH_FLAG_TOKEN_FOR_CACHED_CRED"></a><a ///id="http_request_auth_flag_token_for_cached_cred"></a><dl> ///<dt><b>HTTP_REQUEST_AUTH_FLAG_TOKEN_FOR_CACHED_CRED</b></dt> </dl> </td> <td width="60%"> The provided token is ///for NTLM and is based on a cached credential of a Keep Alive (KA) connection. </td> </tr> </table> uint Flags; ///A member of the HTTP_REQUEST_AUTH_TYPE enumeration that indicates the authentication scheme attempted or ///established for the request. HTTP_REQUEST_AUTH_TYPE AuthType; ///A handle to the client token that the receiving process can use to impersonate the authenticated client. The ///handle to the token should be closed by calling CloseHandle when it is no longer required. This token is valid ///only for the lifetime of the request. Applications can regenerate the initial 401 challenge to reauthenticate ///when the token expires. HANDLE AccessToken; ///The client context attributes for the access token. uint ContextAttributes; ///The length, in bytes, of the <b>PackedContext</b>. uint PackedContextLength; ///The type of context in the <b>PackedContext</b> member. uint PackedContextType; ///The security context for the authentication type. Applications can query the attributes of the packed context by ///calling the SSPI QueryContextAttributes API. However, applications must acquire a credential handle for the ///security package for the indicated AuthType. Application should call the SSPI FreeContextBuffer API to free the ///serialized context when it is no longer required. void* PackedContext; ///The length, in bytes, of the <b>pMutualAuthData</b> member. uint MutualAuthDataLength; ///The Base64 encoded mutual authentication data used in the WWW-Authenticate header. PSTR pMutualAuthData; ushort PackageNameLength; PWSTR pPackageName; } ///Uses the HTTP_REQUEST structure to return data associated with a specific request. Do not use <b>HTTP_REQUEST_V1</b> ///directly in your code; using HTTP_REQUEST instead ensures that the proper version, based on the operating system the ///code is compiled under, is used. struct HTTP_REQUEST_V1 { ///A combination of zero or more of the following flag values may be combined, with OR, as appropriate. <table> <tr> ///<th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a ///id="HTTP_REQUEST_FLAG_MORE_ENTITY_BODY_EXISTS"></a><a id="http_request_flag_more_entity_body_exists"></a><dl> ///<dt><b>HTTP_REQUEST_FLAG_MORE_ENTITY_BODY_EXISTS</b></dt> </dl> </td> <td width="60%"> There is more entity body ///to be read for this request. This applies only to incoming requests that span multiple reads. If this value is ///not set, either the whole entity body was copied into the buffer specified by <b>pEntityChunks</b> or the request ///did not include an entity body. </td> </tr> <tr> <td width="40%"><a id="HTTP_REQUEST_FLAG_IP_ROUTED"></a><a ///id="http_request_ip_routed"></a><dl> <dt><b>HTTP_REQUEST_FLAG_IP_ROUTED</b></dt> </dl> </td> <td width="60%"> The ///request was routed based on host and IP binding. The application should reflect the local IP while flushing ///kernel cache entries for this request. <b>Windows Server 2003 with SP1 and Windows XP with SP2: </b>This flag is ///not supported. </td> </tr> <tr> <td width="40%"><a id="HTTP_REQUEST_FLAG_HTTP2"></a><a ///id="http_request_flag_http2"></a><dl> <dt><b>HTTP_REQUEST_FLAG_HTTP2</b></dt> </dl> </td> <td width="60%"> ///Indicates the request was received over HTTP/2. </td> </tr> </table> uint Flags; ///An identifier for the connection on which the request was received. Use this value when calling ///HttpWaitForDisconnect or HttpReceiveClientCertificate. ulong ConnectionId; ///A value used to identify the request when calling HttpReceiveRequestEntityBody, HttpSendHttpResponse, and/or ///HttpSendResponseEntityBody. ulong RequestId; ///The context that is associated with the URL in the <i>pRawUrl</i> parameter. <b>Windows Server 2003 with SP1 and ///Windows XP with SP2: </b> ulong UrlContext; ///An HTTP_VERSION structure that contains the version of HTTP specified by this request. HTTP_VERSION Version; ///An HTTP verb associated with this request. This member can be one of the values from the HTTP_VERB enumeration. HTTP_VERB Verb; ///If the <b>Verb</b> member contains a value equal to <b>HttpVerbUnknown</b>, the <b>UnknownVerbLength</b> member ///contains the size, in bytes, of the string pointed to by the <b>pUnknownVerb</b> member, not including the ///terminating null character. If <b>Verb</b> is not equal to <b>HttpVerbUnknown</b>, <b>UnknownVerbLength</b> is ///equal to zero. ushort UnknownVerbLength; ///The size, in bytes, of the unprocessed URL string pointed to by the <b>pRawUrl</b> member, not including the ///terminating null character. ushort RawUrlLength; ///If the <b>Verb</b> member is equal to <b>HttpVerbUnknown</b>, <b>pUnknownVerb</b>, points to a null-terminated ///string of octets that contains the HTTP verb for this request; otherwise, the application ignores this parameter. const(PSTR) pUnknownVerb; ///A pointer to a string of octets that contains the original, unprocessed URL targeted by this request. Use this ///unprocessed URL only for tracking or statistical purposes; the <b>CookedUrl</b> member contains the canonical ///form of the URL for general use. const(PSTR) pRawUrl; ///An HTTP_COOKED_URL structure that contains a parsed canonical wide-character version of the URL targeted by this ///request. This is the version of the URL HTTP Listeners should act upon, rather than the raw URL. HTTP_COOKED_URL CookedUrl; ///An HTTP_TRANSPORT_ADDRESS structure that contains the transport addresses for the connection for this request. HTTP_TRANSPORT_ADDRESS Address; ///An HTTP_REQUEST_HEADERS structure that contains the headers specified in this request. HTTP_REQUEST_HEADERS Headers; ///The total number of bytes received from the network comprising this request. ulong BytesReceived; ///The number of elements in the <b>pEntityChunks</b> array. If no entity body was copied, this value is zero. ushort EntityChunkCount; ///A pointer to an array of HTTP_DATA_CHUNK structures that contains the data blocks making up the entity body. ///HttpReceiveHttpRequest does not copy the entity body unless called with the HTTP_RECEIVE_REQUEST_FLAG_COPY_BODY ///flag set. HTTP_DATA_CHUNK* pEntityChunks; ///Raw connection ID for an Secure Sockets Layer (SSL) request. ulong RawConnectionId; ///A pointer to an HTTP_SSL_INFO structure that contains Secure Sockets Layer (SSL) information about the connection ///on which the request was received. HTTP_SSL_INFO* pSslInfo; } ///The <b>HTTP_REQUEST_V2</b> structure extends the HTTP_REQUEST_V1 request structure with more information about the ///request. Do not use <b>HTTP_REQUEST_V2</b> directly in your code; use HTTP_REQUEST instead to ensure that the proper ///version, based on the operating system the code is compiled under, is used. struct HTTP_REQUEST_V2 { HTTP_REQUEST_V1 __AnonymousBase_http_L1816_C35; ///The number of HTTP_REQUEST_INFO structures in the array pointed to by <b>pRequestInfo</b>. ushort RequestInfoCount; ///A pointer to an array of HTTP_REQUEST_INFO structures that contains additional information about the request. HTTP_REQUEST_INFO* pRequestInfo; } ///The <b>HTTP_RESPONSE_V1</b> structure contains data associated with an HTTP response. Do not use ///<b>HTTP_RESPONSE_V1</b> directly in your code; use HTTP_RESPONSE instead to ensure that the proper version, based on ///the operating system the code is compiled under, is used. struct HTTP_RESPONSE_V1 { ///The optional logging flags change the default response behavior. These can be one of any of the ///HTTP_RESPONSE_FLAG values. uint Flags; ///This member is ignored; the response is always an HTTP/1.1 response. HTTP_VERSION Version; ///Numeric status code that characterizes the result of the HTTP request (for example, 200 signifying "OK" or 404 ///signifying "Not Found"). For more information and a list of these codes, see Section 10 of RFC 2616. If a request ///is directed to a URL that is reserved but not registered, indicating that the appropriate application to handle ///it is not running, then the HTTP Server API itself returns a response with status code 400, signifying "Bad ///Request". This is transparent to the application. A code 400 is preferred here to 503 ("Server not available") ///because the latter is interpreted by some smart load balancers as an indication that the server is overloaded. ushort StatusCode; ///Size, in bytes, of the string pointed to by the <b>pReason</b> member not including the terminating null. May be ///zero. ushort ReasonLength; ///A pointer to a human-readable, null-terminated string of printable characters that characterizes the result of ///the HTTP request (for example, "OK" or "Not Found"). const(PSTR) pReason; ///An HTTP_RESPONSE_HEADERS structure that contains the headers used in this response. HTTP_RESPONSE_HEADERS Headers; ///A number of entity-body data blocks specified in the <b>pEntityChunks</b> array. This number cannot exceed 100. ///If the response has no entity body, this member must be zero. ushort EntityChunkCount; ///An array of HTTP_DATA_CHUNK structures that together specify all the data blocks that make up the entity body of ///the response. HTTP_DATA_CHUNK* pEntityChunks; } ///The <b>HTTP_RESPONSE_INFO</b> structure extends the HTTP_RESPONSE structure with additional information for the ///response. struct HTTP_RESPONSE_INFO { ///A member of the HTTP_RESPONSE_INFO_TYPE enumeration specifying the type of information contained in this ///structure. HTTP_RESPONSE_INFO_TYPE Type; ///The length, in bytes, of the <b>pInfo</b> member. uint Length; ///A pointer to the HTTP_MULTIPLE_KNOWN_HEADERS structure when the <b>InfoType</b> member is ///<b>HttpResponseInfoTypeMultipleKnownHeaders</b>; otherwise <b>NULL</b>. void* pInfo; } ///The <b>HTTP_MULTIPLE_KNOWN_HEADERS</b> structure specifies the headers that are included in an HTTP response when ///more than one header is required. struct HTTP_MULTIPLE_KNOWN_HEADERS { ///A member of the HTTP_HEADER_ID enumeration specifying the response header ID. HTTP_HEADER_ID HeaderId; ///The flags corresponding to the response header in the <b>HeaderId</b> member. This member is used only when the ///WWW-Authenticate header is present. This can be zero or the following: <table> <tr> <th>Flag</th> ///<th>Meaning</th> </tr> <tr> <td width="40%"><a id="HTTP_RESPONSE_INFO_FLAGS_PRESERVE_ORDER"></a><a ///id="http_response_info_flags_preserve_order"></a><dl> <dt><b>HTTP_RESPONSE_INFO_FLAGS_PRESERVE_ORDER</b></dt> ///</dl> </td> <td width="60%"> The specified order of authentication schemes is preserved on the challenge ///response. </td> </tr> </table> uint Flags; ///The number of elements in the array specified in the <b>KnownHeaders</b> member. ushort KnownHeaderCount; ///A pointer to the first element in the array of HTTP_KNOWN_HEADER structures. HTTP_KNOWN_HEADER* KnownHeaders; } ///The <b>HTTP_RESPONSE_V2</b> structure extends the HTTP version 1.0 response structure with more information for the ///response. Do not use <b>HTTP_RESPONSE_V2</b> directly in your code; use HTTP_RESPONSE instead to ensure that the ///proper version, based on the operating system the code is compiled under, is used. struct HTTP_RESPONSE_V2 { HTTP_RESPONSE_V1 __AnonymousBase_http_L2003_C36; ///The number of HTTP_RESPONSE_INFO structures in the array pointed to by <b>pResponseInfo</b>. The count of the ///HTTP_RESPONSE_INFO elements in the array pointed to by <b>pResponseInfo</b>. ushort ResponseInfoCount; ///A pointer to an array of HTTP_RESPONSE_INFO structures containing more information about the request. HTTP_RESPONSE_INFO* pResponseInfo; } ///The <b>HTTPAPI_VERSION</b> structure defines the version of the HTTP Server API. This is not to be confused with the ///version of the HTTP protocol used, which is stored in an <b>HTTP_VERSION</b> structure. struct HTTPAPI_VERSION { ///Major version of the HTTP Server API. ushort HttpApiMajorVersion; ///Minor version of the HTTP Server API. ushort HttpApiMinorVersion; } ///The <b>HTTP_CACHE_POLICY</b> structure is used to define a cache policy associated with a cached response fragment. struct HTTP_CACHE_POLICY { ///This parameter is one of the following values from the HTTP_CACHE_POLICY_TYPE to control how an associated ///response or response fragment is cached. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td ///width="40%"><a id="HttpCachePolicyNocache"></a><a id="httpcachepolicynocache"></a><a ///id="HTTPCACHEPOLICYNOCACHE"></a><dl> <dt><b>HttpCachePolicyNocache</b></dt> </dl> </td> <td width="60%"> Do not ///cache the data at all. </td> </tr> <tr> <td width="40%"><a id="HttpCachePolicyUserInvalidates"></a><a ///id="httpcachepolicyuserinvalidates"></a><a id="HTTPCACHEPOLICYUSERINVALIDATES"></a><dl> ///<dt><b>HttpCachePolicyUserInvalidates</b></dt> </dl> </td> <td width="60%"> Cache the data until the application ///explicitly releases it. </td> </tr> <tr> <td width="40%"><a id="HttpCachePolicyTimeToLive"></a><a ///id="httpcachepolicytimetolive"></a><a id="HTTPCACHEPOLICYTIMETOLIVE"></a><dl> ///<dt><b>HttpCachePolicyTimeToLive</b></dt> </dl> </td> <td width="60%"> Cache the data for a number of seconds ///specified by the <b>SecondsToLive</b> member. </td> </tr> </table> HTTP_CACHE_POLICY_TYPE Policy; ///When the <b>Policy</b> member is equal to HttpCachePolicyTimeToLive, data is cached for <b>SecondsToLive</b> ///seconds before it is released. For other values of <b>Policy</b>, <b>SecondsToLive</b> is ignored. uint SecondsToLive; } ///The <b>HTTP_SERVICE_CONFIG_SSL_KEY</b> structure serves as the key by which a given Secure Sockets Layer (SSL) ///certificate record is identified. It appears in the HTTP_SERVICE_CONFIG_SSL_SET and the HTTP_SERVICE_CONFIG_SSL_QUERY ///structures, and is passed as the <i>pConfigInformation</i> parameter to HTTPDeleteServiceConfiguration, ///HttpQueryServiceConfiguration, and HttpSetServiceConfiguration when the <i>ConfigId</i> parameter is set to ///<b>HttpServiceConfigSSLCertInfo</b>. struct HTTP_SERVICE_CONFIG_SSL_KEY { ///Pointer to a sockaddr structure that contains the Internet Protocol (IP) address with which this SSL certificate ///is associated. If the <b>sin_addr</b> field in <b>IpPort</b> is set to 0.0.0.0, the certificate is applicable to ///all IPv4 and IPv6 addresses. If the <b>sin6_addr</b> field in <b>IpPort</b> is set to [::], the certificate is ///applicable to all IPv6 addresses. SOCKADDR* pIpPort; } struct HTTP_SERVICE_CONFIG_SSL_KEY_EX { SOCKADDR_STORAGE_LH IpPort; } ///The <b>HTTP_SERVICE_CONFIG_SSL_SNI_KEY</b> structure serves as the key by which a given Secure Sockets Layer (SSL) ///Server Name Indication (SNI) certificate record is identified in the SSL SNI store. It appears in the ///HTTP_SERVICE_CONFIG_SSL_SNI_SET and the HTTP_SERVICE_CONFIG_SSL_SNI_QUERY structures, and is passed as the ///<i>pConfigInformation</i> parameter to HttpDeleteServiceConfiguration, HttpQueryServiceConfiguration, and ///HttpSetServiceConfiguration when the <i>ConfigId</i> parameter is set to <b>HttpServiceConfigSslSniCertInfo</b>. struct HTTP_SERVICE_CONFIG_SSL_SNI_KEY { ///A SOCKADDR_STORAGE structure that contains the Internet Protocol version 4 (IPv4) address with which this SSL SNI ///certificate is associated. It must be set to the IPv4 wildcard address of type <b>SOCKADDR_IN</b> with ///<b>ss_family</b> set to <b>AF_INET</b> and <b>sin_addr</b> filled with zeros. <b>Port</b> can be any valid port. SOCKADDR_STORAGE_LH IpPort; ///A pointer to a null-terminated Unicode UTF-16 string that represents the hostname. PWSTR Host; } ///Serves as the key by which identifies the SSL certificate record that specifies that Http.sys should consult the ///Centralized Certificate Store (CCS) store to find certificates if the port receives a Transport Layer Security (TLS) ///handshake. struct HTTP_SERVICE_CONFIG_SSL_CCS_KEY { ///A SOCKADDR_STORAGE structure that contains the Internet Protocol version 4 (IPv4) address with which this SSL ///certificate record is associated. It must be set to the IPv4 wildcard address of type SOCKADDR_IN with the ///<b>sin_family</b> member set to AF_INET and the <b>sin_addr</b> member filled with zeros (0.0.0.0). The ///<b>sin_port</b> member can be any valid port. SOCKADDR_STORAGE_LH LocalAddress; } ///The <b>HTTP_SERVICE_CONFIG_SSL_PARAM</b> structure defines a record in the SSL configuration store. struct HTTP_SERVICE_CONFIG_SSL_PARAM { ///The size, in bytes, of the SSL hash. uint SslHashLength; ///A pointer to the SSL certificate hash. void* pSslHash; ///A unique identifier of the application setting this record. GUID AppId; ///A pointer to a wide-character string that contains the name of the store from which the server certificate is to ///be read. If set to <b>NULL</b>, "MY" is assumed as the default name. The specified certificate store name must be ///present in the Local System store location. PWSTR pSslCertStoreName; ///Determines how client certificates are checked. This member can be one of the following values. <table> <tr> ///<th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="0"></a><dl> <dt><b>0</b></dt> </dl> </td> <td ///width="60%"> Enables the client certificate revocation check. </td> </tr> <tr> <td width="40%"><a id="1"></a><dl> ///<dt><b>1</b></dt> </dl> </td> <td width="60%"> Client certificate is not to be verified for revocation. </td> ///</tr> <tr> <td width="40%"><a id="2"></a><dl> <dt><b>2</b></dt> </dl> </td> <td width="60%"> Only cached ///certificate revocation is to be used. </td> </tr> <tr> <td width="40%"><a id="4"></a><dl> <dt><b>4</b></dt> </dl> ///</td> <td width="60%"> The <b>DefaultRevocationFreshnessTime</b> setting is enabled. </td> </tr> <tr> <td ///width="40%"><a id="0x10000"></a><a id="0X10000"></a><dl> <dt><b>0x10000</b></dt> </dl> </td> <td width="60%"> No ///usage check is to be performed. </td> </tr> </table> uint DefaultCertCheckMode; ///The number of seconds after which to check for an updated certificate revocation list (CRL). If this value is ///zero, the new CRL is updated only when the previous one expires. uint DefaultRevocationFreshnessTime; ///The timeout interval, in milliseconds, for an attempt to retrieve a certificate revocation list from the remote ///URL. uint DefaultRevocationUrlRetrievalTimeout; ///A pointer to an SSL control identifier, which enables an application to restrict the group of certificate issuers ///to be trusted. This group must be a subset of the certificate issuers trusted by the machine on which the ///application is running. PWSTR pDefaultSslCtlIdentifier; ///The name of the store where the control identifier pointed to by <b>pDefaultSslCtlIdentifier</b> is stored. PWSTR pDefaultSslCtlStoreName; ///A combination of zero or more of the following flag values can be combined with OR as appropriate. <table> <tr> ///<th>Flags</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a ///id="HTTP_SERVICE_CONFIG_SSL_FLAG_NEGOTIATE_CLIENT_CERT"></a><a ///id="http_service_config_ssl_flag_negotiate_client_cert"></a><dl> ///<dt><b>HTTP_SERVICE_CONFIG_SSL_FLAG_NEGOTIATE_CLIENT_CERT</b></dt> </dl> </td> <td width="60%"> Enables a client ///certificate to be cached locally for subsequent use. </td> </tr> <tr> <td width="40%"><a ///id="HTTP_SERVICE_CONFIG_SSL_FLAG_NO_RAW_FILTER"></a><a id="http_service_config_ssl_flag_no_raw_filter"></a><dl> ///<dt><b>HTTP_SERVICE_CONFIG_SSL_FLAG_NO_RAW_FILTER</b></dt> </dl> </td> <td width="60%"> Prevents SSL requests ///from being passed to low-level ISAPI filters. </td> </tr> <tr> <td width="40%"><a ///id="HTTP_SERVICE_CONFIG_SSL_FLAG_USE_DS_MAPPER"></a><a id="http_service_config_ssl_flag_use_ds_mapper"></a><dl> ///<dt><b>HTTP_SERVICE_CONFIG_SSL_FLAG_USE_DS_MAPPER</b></dt> </dl> </td> <td width="60%"> Client certificates are ///mapped where possible to corresponding operating-system user accounts based on the certificate mapping rules ///stored in Active Directory. If this flag is set and the mapping is successful, the <b>Token</b> member of the ///HTTP_SSL_CLIENT_CERT_INFO structure is a handle to an access token. Release this token explicitly by closing the ///handle when the <b>HTTP_SSL_CLIENT_CERT_INFO</b> structure is no longer required. </td> </tr> </table> uint DefaultFlags; } struct HTTP2_WINDOW_SIZE_PARAM { uint Http2ReceiveWindowSize; } struct HTTP2_SETTINGS_LIMITS_PARAM { uint Http2MaxSettingsPerFrame; uint Http2MaxSettingsPerMinute; } struct HTTP_PERFORMANCE_PARAM { ulong SendBufferingFlags; ubyte EnableAggressiveICW; uint MaxBufferedSendBytes; uint MaxConcurrentClientStreams; } struct HTTP_SERVICE_CONFIG_SSL_PARAM_EX { HTTP_SSL_SERVICE_CONFIG_EX_PARAM_TYPE ParamType; ulong Flags; union { HTTP2_WINDOW_SIZE_PARAM Http2WindowSizeParam; HTTP2_SETTINGS_LIMITS_PARAM Http2SettingsLimitsParam; HTTP_PERFORMANCE_PARAM HttpPerformanceParam; } } ///The <b>HTTP_SERVICE_CONFIG_SSL_SET</b> structure is used to add a new record to the SSL store or retrieve an existing ///record from it. An instance of the structure is used to pass data in to the HTTPSetServiceConfiguration function ///through the <i>pConfigInformation</i> parameter or to retrieve data from the HTTPQueryServiceConfiguration function ///through the <i>pOutputConfigInformation</i> parameter when the <i>ConfigId</i> parameter of either function is equal ///to <b>HTTPServiceConfigSSLCertInfo</b>. struct HTTP_SERVICE_CONFIG_SSL_SET { ///An HTTP_SERVICE_CONFIG_SSL_KEY structure that identifies the SSL certificate record. HTTP_SERVICE_CONFIG_SSL_KEY KeyDesc; ///An HTTP_SERVICE_CONFIG_SSL_PARAM structure that holds the contents of the specified SSL certificate record. HTTP_SERVICE_CONFIG_SSL_PARAM ParamDesc; } ///The <b>HTTP_SERVICE_CONFIG_SSL_SNI_SET</b> structure is used to add a new Secure Sockets Layer (SSL) Server Name ///Indication (SNI) certificate record to the SSL SNI store or retrieve an existing record from it. It is passed to the ///HttpSetServiceConfiguration function through the <i>pConfigInformation</i> parameter or to retrieve data from the ///HttpQueryServiceConfiguration function through the <i>pOutputConfigInformation</i> parameter when the <i>ConfigId</i> ///parameter of either function is set to <b>HttpServiceConfigSslSniCertInfo</b>. struct HTTP_SERVICE_CONFIG_SSL_SNI_SET { ///An HTTP_SERVICE_CONFIG_SSL_SNI_KEY structure that identifies the SSL SNI certificate record. HTTP_SERVICE_CONFIG_SSL_SNI_KEY KeyDesc; ///An HTTP_SERVICE_CONFIG_SSL_PARAM structure that holds the contents of the specified SSL SNI certificate record. HTTP_SERVICE_CONFIG_SSL_PARAM ParamDesc; } ///Represents the SSL certificate record that specifies that Http.sys should consult the Centralized Certificate Store ///(CCS) store to find certificates if the port receives a Transport Layer Security (TLS) handshake. Use this structure ///to add, delete, retrieve, or update that SSL certificate. struct HTTP_SERVICE_CONFIG_SSL_CCS_SET { ///An HTTP_SERVICE_CONFIG_SSL_CCS_KEY structure that identifies the SSL CCS certificate record. HTTP_SERVICE_CONFIG_SSL_CCS_KEY KeyDesc; ///An HTTP_SERVICE_CONFIG_SSL_PARAM structure that holds the contents of the specified SSL CCS certificate record. HTTP_SERVICE_CONFIG_SSL_PARAM ParamDesc; } struct HTTP_SERVICE_CONFIG_SSL_SET_EX { HTTP_SERVICE_CONFIG_SSL_KEY_EX KeyDesc; HTTP_SERVICE_CONFIG_SSL_PARAM_EX ParamDesc; } struct HTTP_SERVICE_CONFIG_SSL_SNI_SET_EX { HTTP_SERVICE_CONFIG_SSL_SNI_KEY KeyDesc; HTTP_SERVICE_CONFIG_SSL_PARAM_EX ParamDesc; } struct HTTP_SERVICE_CONFIG_SSL_CCS_SET_EX { HTTP_SERVICE_CONFIG_SSL_CCS_KEY KeyDesc; HTTP_SERVICE_CONFIG_SSL_PARAM_EX ParamDesc; } ///The <b>HTTP_SERVICE_CONFIG_SSL_QUERY</b> structure is used to specify a particular record to query in the SSL ///configuration store. It is passed to the HttpQueryServiceConfiguration function using the <i>pInputConfigInfo</i> ///parameter when the <i>ConfigId</i> parameter is set to <b>HttpServiceConfigSSLCertInfo</b>. struct HTTP_SERVICE_CONFIG_SSL_QUERY { ///One of the following values from the HTTP_SERVICE_CONFIG_QUERY_TYPE enumeration. HTTP_SERVICE_CONFIG_QUERY_TYPE QueryDesc; ///If the <i>QueryDesc</i> parameter is equal to <b>HttpServiceConfigQueryExact</b>, then <i>KeyDesc</i> should ///contain an HTTP_SERVICE_CONFIG_SSL_KEY structure that identifies the SSL certificate record queried. If the ///<i>QueryDesc</i> parameter is equal to HTTPServiceConfigQueryNext, then <i>KeyDesc</i> is ignored. HTTP_SERVICE_CONFIG_SSL_KEY KeyDesc; ///If the <i>QueryDesc</i> parameter is equal to <b>HTTPServiceConfigQueryNext</b>, then <i>dwToken</i> must be ///equal to zero on the first call to the HttpQueryServiceConfiguration function, one on the second call, two on the ///third call, and so forth until all SSL certificate records are returned, at which point ///<b>HttpQueryServiceConfiguration</b> returns ERROR_NO_MORE_ITEMS. If the <i>QueryDesc</i> parameter is equal to ///<b>HttpServiceConfigQueryExact</b>, then <i>dwToken</i> is ignored. uint dwToken; } ///The <b>HTTP_SERVICE_CONFIG_SSL_SNI_QUERY</b> structure is used to specify a particular Secure Sockets Layer (SSL) ///Server Name Indication (SNI) certificate record to query in the SSL SNI store. It is passed to the ///HttpQueryServiceConfiguration function using the <i>pInputConfigInfo</i> parameter when the <i>ConfigId</i> parameter ///is set to <b>HttpServiceConfigSslSniCertInfo</b>. struct HTTP_SERVICE_CONFIG_SSL_SNI_QUERY { ///One of the following values from the HTTP_SERVICE_CONFIG_QUERY_TYPE enumeration. <table> <tr> <th>Value</th> ///<th>Meaning</th> </tr> <tr> <td width="40%"><a id="HttpServiceConfigQueryExact"></a><a ///id="httpserviceconfigqueryexact"></a><a id="HTTPSERVICECONFIGQUERYEXACT"></a><dl> ///<dt><b>HttpServiceConfigQueryExact</b></dt> </dl> </td> <td width="60%"> Returns a single SSL SNI certificate ///record. </td> </tr> <tr> <td width="40%"><a id="HttpServiceConfigQueryNext"></a><a ///id="httpserviceconfigquerynext"></a><a id="HTTPSERVICECONFIGQUERYNEXT"></a><dl> ///<dt><b>HttpServiceConfigQueryNext</b></dt> </dl> </td> <td width="60%"> Returns a sequence of SSL SNI certificate ///records in a sequence of calls, as controlled by <i>dwToken</i>. </td> </tr> </table> HTTP_SERVICE_CONFIG_QUERY_TYPE QueryDesc; ///If the <i>QueryDesc</i> parameter is equal to <b>HttpServiceConfigQueryExact</b>, then <i>KeyDesc</i> should ///contain an HTTP_SERVICE_CONFIG_SSL_SNI_KEY structure that identifies the SSL SNI certificate record queried. If ///the <i>QueryDesc</i> parameter is equal to <b>HTTPServiceConfigQueryNext</b>, then <i>KeyDesc</i> is ignored. HTTP_SERVICE_CONFIG_SSL_SNI_KEY KeyDesc; ///If the <i>QueryDesc</i> parameter is equal to <b>HTTPServiceConfigQueryNext</b>, then <i>dwToken</i> must be ///equal to zero on the first call to the HttpQueryServiceConfiguration function, one on the second call, two on the ///third call, and so forth until all SSL certificate records are returned, at which point ///<b>HttpQueryServiceConfiguration</b> returns ERROR_NO_MORE_ITEMS. If the <i>QueryDesc</i> parameter is equal to ///<b>HttpServiceConfigQueryExact</b>, then <i>dwToken</i> is ignored. uint dwToken; } ///Specifies a Secure Sockets Layer (SSL) configuration to query for an SSL Centralized Certificate Store (CCS) record ///on the port when you call the HttpQueryServiceConfiguration function. The SSL certificate record specifies that ///Http.sys should consult the CCS store to find certificates if the port receives a Transport Layer Security (TLS) ///handshake. struct HTTP_SERVICE_CONFIG_SSL_CCS_QUERY { ///One of the following values from the HTTP_SERVICE_CONFIG_QUERY_TYPE enumeration that indicates whether the call ///to HttpQueryServiceConfiguration is a call to retrieve a single record or part of a sequence of calls to retrieve ///a sequence of records. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a ///id="HttpServiceConfigQueryExact"></a><a id="httpserviceconfigqueryexact"></a><a ///id="HTTPSERVICECONFIGQUERYEXACT"></a><dl> <dt><b>HttpServiceConfigQueryExact</b></dt> </dl> </td> <td ///width="60%"> The call to HttpQueryServiceConfiguration is call to retrieve a single SSL CCS certificate record, ///which the <b>KeyDesc</b> member specifies. </td> </tr> <tr> <td width="40%"><a ///id="HttpServiceConfigQueryNext"></a><a id="httpserviceconfigquerynext"></a><a ///id="HTTPSERVICECONFIGQUERYNEXT"></a><dl> <dt><b>HttpServiceConfigQueryNext</b></dt> </dl> </td> <td width="60%"> ///The call to HttpQueryServiceConfiguration is part of a sequence of calls to retrieve a sequence of SSL CCS ///certificate records. The value of the <b>dwToken</b> member controls which record in the sequence that this call ///to <b>HttpQueryServiceConfiguration</b> retrieves. </td> </tr> </table> HTTP_SERVICE_CONFIG_QUERY_TYPE QueryDesc; ///An HTTP_SERVICE_CONFIG_SSL_CCS_KEY structure that identifies the SSL CCS certificate record queried, if the ///<b>QueryDesc</b> member is equal to <b>HttpServiceConfigQueryExact</b>. Ignored if <b>QueryDesc</b> is equal to ///<b>HTTPServiceConfigQueryNext</b>. HTTP_SERVICE_CONFIG_SSL_CCS_KEY KeyDesc; ///The position of the record in the sequence of records that this call to HttpQueryServiceConfiguration should ///retrieve if the <b>QueryDesc</b> method equals <b>HTTPServiceConfigQueryNext</b>, starting from zero. In other ///words, <b>dwToken</b> must be equal to zero on the first call to the <b>HttpQueryServiceConfiguration</b> ///function, one on the second call, two on the third call, and so forth. When the sequence of calls has returned ///all SSL certificate records, <b>HttpQueryServiceConfiguration</b> returns <b>ERROR_NO_MORE_ITEMS</b>. Ignored if ///the <b>QueryDesc</b> is equal to <b>HttpServiceConfigQueryExact</b>. uint dwToken; } struct HTTP_SERVICE_CONFIG_SSL_QUERY_EX { HTTP_SERVICE_CONFIG_QUERY_TYPE QueryDesc; HTTP_SERVICE_CONFIG_SSL_KEY_EX KeyDesc; uint dwToken; HTTP_SSL_SERVICE_CONFIG_EX_PARAM_TYPE ParamType; } struct HTTP_SERVICE_CONFIG_SSL_SNI_QUERY_EX { HTTP_SERVICE_CONFIG_QUERY_TYPE QueryDesc; HTTP_SERVICE_CONFIG_SSL_SNI_KEY KeyDesc; uint dwToken; HTTP_SSL_SERVICE_CONFIG_EX_PARAM_TYPE ParamType; } struct HTTP_SERVICE_CONFIG_SSL_CCS_QUERY_EX { HTTP_SERVICE_CONFIG_QUERY_TYPE QueryDesc; HTTP_SERVICE_CONFIG_SSL_CCS_KEY KeyDesc; uint dwToken; HTTP_SSL_SERVICE_CONFIG_EX_PARAM_TYPE ParamType; } ///The <b>HTTP_SERVICE_CONFIG_IP_LISTEN_PARAM</b> structure is used to specify an IP address to be added to or deleted ///from the list of IP addresses to which the HTTP service binds. struct HTTP_SERVICE_CONFIG_IP_LISTEN_PARAM { ///The size, in bytes, of the address pointed to by <b>pAddress</b>. ushort AddrLength; ///A pointer to an Internet Protocol (IP) address to be added to or deleted from the listen list. To specify an IPv6 ///address, use a SOCKADDR_IN6 structure, declared in the Ws2tcpip.h header file, and cast its address to a ///PSOCKADDR when you use it to set the <b>pAddress</b> member. The <b>sin_family</b> member of the SOCKADDR_IN6 ///should be set to AF_INET6. If the <b>sin_addr</b> field in SOCKADDR_IN6 structure is set to 0.0.0.0, it means to ///bind to all IPv4 addresses. If the <b>sin6_addr</b> field in SOCKADDR_IN6 is set to [::], it means to bind to all ///IPv6 addresses. SOCKADDR* pAddress; } ///The <b>HTTP_SERVICE_CONFIG_IP_LISTEN_QUERY</b> structure is used by HttpQueryServiceConfiguration to return a list of ///the Internet Protocol (IP) addresses to which the HTTP service binds. struct HTTP_SERVICE_CONFIG_IP_LISTEN_QUERY { ///The number of address structures in the <b>AddrList</b> array. uint AddrCount; ///An array of SOCKADDR_STORAGE structures that contains IP addresses in either IPv4 or IPv6 form. To determine what ///form an address in the list has, cast it to a SOCKADDR and examine the <b>sa_family</b> element. If ///<b>sa_family</b> is equal to AF_INET, the address is in IPv4 form, or if it is equal to AF_INET6, the address is ///in IPv6 form. SOCKADDR_STORAGE_LH[1] AddrList; } ///The <b>HTTP_SERVICE_CONFIG_URLACL_KEY</b> structure is used to specify a particular reservation record in the URL ///namespace reservation store. It is a member of the HTTP_SERVICE_CONFIG_URLACL_SET and ///HTTP_SERVICE_CONFIG_URLACL_QUERY structures. struct HTTP_SERVICE_CONFIG_URLACL_KEY { ///A pointer to the UrlPrefix string that defines the portion of the URL namespace to which this reservation ///pertains. PWSTR pUrlPrefix; } ///The <b>HTTP_SERVICE_CONFIG_URLACL_PARAM</b> structure is used to specify the permissions associated with a particular ///record in the URL namespace reservation store. It is a member of the HTTP_SERVICE_CONFIG_URLACL_SET structure. struct HTTP_SERVICE_CONFIG_URLACL_PARAM { ///A pointer to a Security Descriptor Definition Language (SDDL) string that contains the permissions associated ///with this URL namespace reservation record. PWSTR pStringSecurityDescriptor; } ///The <b>HTTP_SERVICE_CONFIG_URLACL_SET</b> structure is used to add a new record to the URL reservation store or ///retrieve an existing record from it. An instance of the structure is used to pass data in through the ///<i>pConfigInformation</i> parameter of the HTTPSetServiceConfiguration function, or to retrieve data through the ///<i>pOutputConfigInformation</i> parameter of the HTTPQueryServiceConfiguration function when the <i>ConfigId</i> ///parameter of either function is equal to <b>HTTPServiceConfigUrlAclInfo</b>. struct HTTP_SERVICE_CONFIG_URLACL_SET { ///An HTTP_SERVICE_CONFIG_URLACL_KEY structure that identifies the URL reservation record. HTTP_SERVICE_CONFIG_URLACL_KEY KeyDesc; ///An HTTP_SERVICE_CONFIG_URLACL_PARAM structure that holds the contents of the specified URL reservation record. HTTP_SERVICE_CONFIG_URLACL_PARAM ParamDesc; } ///The <b>HTTP_SERVICE_CONFIG_URLACL_QUERY</b> structure is used to specify a particular reservation record to query in ///the URL namespace reservation store. It is passed to the HttpQueryServiceConfiguration function using the ///<i>pInputConfigInfo</i> parameter when the <i>ConfigId</i> parameter is equal to <b>HttpServiceConfigUrlAclInfo</b>. struct HTTP_SERVICE_CONFIG_URLACL_QUERY { ///One of the following values from the HTTP_SERVICE_CONFIG_QUERY_TYPE enumeration. HTTP_SERVICE_CONFIG_QUERY_TYPE QueryDesc; ///If the <i>QueryDesc</i> parameter is equal to <b>HttpServiceConfigQueryExact</b>, then <i>KeyDesc</i> should ///contain an HTTP_SERVICE_CONFIG_URLACL_KEY structure that identifies the reservation record queried. If the ///<i>QueryDesc</i> parameter is equal to <b>HttpServiceConfigQueryNext</b>, <i>KeyDesc</i> is ignored. HTTP_SERVICE_CONFIG_URLACL_KEY KeyDesc; ///If the <i>QueryDesc</i> parameter is equal to <b>HttpServiceConfigQueryNext</b>, then <i>dwToken</i> must be ///equal to zero on the first call to the HttpQueryServiceConfiguration function, one on the second call, two on the ///third call, and so forth until all reservation records are returned, at which point ///<b>HttpQueryServiceConfiguration</b> returns ERROR_NO_MORE_ITEMS. If the <i>QueryDesc</i> parameter is equal to ///<b>HttpServiceConfigQueryExact</b>, then <i>dwToken</i> is ignored. uint dwToken; } ///Used in the <i>pConfigInformation</i> parameter of the HttpSetServiceConfiguration function. struct HTTP_SERVICE_CONFIG_CACHE_SET { ///Cache key. HTTP_SERVICE_CONFIG_CACHE_KEY KeyDesc; ///Configuration cache parameter. uint ParamDesc; } struct HTTP_QUERY_REQUEST_QUALIFIER_TCP { ulong Freshness; } struct HTTP_QUERY_REQUEST_QUALIFIER_QUIC { ulong Freshness; } struct HTTP_REQUEST_PROPERTY_SNI { ushort[256] Hostname; uint Flags; } ///The <b>WINHTTP_ASYNC_RESULT</b> structure contains the result of a call to an asynchronous function. This structure ///is used with the WINHTTP_STATUS_CALLBACK prototype. struct WINHTTP_ASYNC_RESULT { ///Return value from an asynchronous Microsoft Windows HTTP Services (WinHTTP) function. This member can be one of ///the following values: <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a ///id="API_RECEIVE_RESPONSE"></a><a id="api_receive_response"></a><dl> <dt><b>API_RECEIVE_RESPONSE</b></dt> ///<dt>1</dt> </dl> </td> <td width="60%"> The error occurred during a call to WinHttpReceiveResponse. </td> </tr> ///<tr> <td width="40%"><a id="API_QUERY_DATA_AVAILABLE"></a><a id="api_query_data_available"></a><dl> ///<dt><b>API_QUERY_DATA_AVAILABLE</b></dt> <dt>2</dt> </dl> </td> <td width="60%"> The error occurred during a call ///to WinHttpQueryDataAvailable. </td> </tr> <tr> <td width="40%"><a id="API_READ_DATA"></a><a ///id="api_read_data"></a><dl> <dt><b>API_READ_DATA</b></dt> <dt>3</dt> </dl> </td> <td width="60%"> The error ///occurred during a call to WinHttpReadData. </td> </tr> <tr> <td width="40%"><a id="API_WRITE_DATA"></a><a ///id="api_write_data"></a><dl> <dt><b>API_WRITE_DATA</b></dt> <dt>4</dt> </dl> </td> <td width="60%"> The error ///occurred during a call to WinHttpWriteData. </td> </tr> <tr> <td width="40%"><a id="API_SEND_REQUEST"></a><a ///id="api_send_request"></a><dl> <dt><b>API_SEND_REQUEST</b></dt> <dt>5</dt> </dl> </td> <td width="60%"> The error ///occurred during a call to WinHttpSendRequest. </td> </tr> </table> size_t dwResult; ///Contains the error code if <b>dwResult</b> indicates that the function failed. uint dwError; } ///The <b>URL_COMPONENTS</b> structure contains the constituent parts of a URL. This structure is used with the ///WinHttpCrackUrl and WinHttpCreateUrl functions. struct URL_COMPONENTS { ///Size of this structure, in bytes. Used for version checking. The size of this structure must be set to initialize ///this structure properly. uint dwStructSize; ///Pointer to a string value that contains the scheme name. PWSTR lpszScheme; ///Length of the scheme name, in characters. uint dwSchemeLength; ///Internet protocol scheme. This member can be one of the following values. <table> <tr> <th>Value</th> ///<th>Meaning</th> </tr> <tr> <td width="40%"><a id="INTERNET_SCHEME_HTTP"></a><a ///id="internet_scheme_http"></a><dl> <dt><b>INTERNET_SCHEME_HTTP</b></dt> <dt>1</dt> </dl> </td> <td width="60%"> ///The Internet scheme is the HTTP protocol. See RFC 2616 for more information. </td> </tr> <tr> <td width="40%"><a ///id="INTERNET_SCHEME_HTTPS"></a><a id="internet_scheme_https"></a><dl> <dt><b>INTERNET_SCHEME_HTTPS</b></dt> ///<dt>2</dt> </dl> </td> <td width="60%"> The Internet scheme, HTTPS, is an HTTP protocol that uses secure ///transaction semantics. </td> </tr> </table> INTERNET_SCHEME nScheme; ///Pointer to a string value that contains the host name. PWSTR lpszHostName; ///Length of the host name, in characters. uint dwHostNameLength; ///Port number. ushort nPort; ///Pointer to a string that contains the user name. PWSTR lpszUserName; ///Length of the user name, in characters. uint dwUserNameLength; ///Pointer to a string that contains the password. PWSTR lpszPassword; ///Length of the password, in characters. uint dwPasswordLength; ///Pointer to a string that contains the URL path. PWSTR lpszUrlPath; ///Length of the URL path, in characters. uint dwUrlPathLength; ///Pointer to a string value that contains the extra information, for example, ?something or PWSTR lpszExtraInfo; ///Unsigned long integer value that contains the length of the extra information, in characters. uint dwExtraInfoLength; } ///The <b>WINHTTP_PROXY_INFO</b> structure contains the session or default proxy configuration. struct WINHTTP_PROXY_INFO { ///Unsigned long integer value that contains the access type. This can be one of the following values: <table> <tr> ///<th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="WINHTTP_ACCESS_TYPE_NO_PROXY"></a><a ///id="winhttp_access_type_no_proxy"></a><dl> <dt><b>WINHTTP_ACCESS_TYPE_NO_PROXY</b></dt> </dl> </td> <td ///width="60%"> Internet accessed through a direct connection. </td> </tr> <tr> <td width="40%"><a ///id="WINHTTP_ACCESS_TYPE_DEFAULT_PROXY"></a><a id="winhttp_access_type_default_proxy"></a><dl> ///<dt><b>WINHTTP_ACCESS_TYPE_DEFAULT_PROXY</b></dt> </dl> </td> <td width="60%"> Applies only when setting proxy ///information. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_ACCESS_TYPE_NAMED_PROXY"></a><a ///id="winhttp_access_type_named_proxy"></a><dl> <dt><b>WINHTTP_ACCESS_TYPE_NAMED_PROXY</b></dt> </dl> </td> <td ///width="60%"> Internet accessed using a proxy. </td> </tr> </table> uint dwAccessType; ///Pointer to a string value that contains the proxy server list. PWSTR lpszProxy; ///Pointer to a string value that contains the proxy bypass list. PWSTR lpszProxyBypass; } ///The <b>WINHTTP_AUTOPROXY_OPTIONS</b> structure is used to indicate to the WinHttpGetProxyForURL function whether to ///specify the URL of the Proxy Auto-Configuration (PAC) file or to automatically locate the URL with DHCP or DNS ///queries to the network. struct WINHTTP_AUTOPROXY_OPTIONS { ///Mechanisms should be used to obtain the PAC file. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <tr> ///<td width="40%"><a id="WINHTTP_AUTOPROXY_ALLOW_AUTOCONFIG"></a><a ///id="winhttp_autoproxy_allow_autoconfig"></a><dl> <dt><b>WINHTTP_AUTOPROXY_ALLOW_AUTOCONFIG</b></dt> </dl> </td> ///<td width="60%"> Enables proxy detection via autoconfig URL. </td> </tr> <tr> <td width="40%"><a ///id="WINHTTP_AUTOPROXY_ALLOW_CM"></a><a id="winhttp_autoproxy_allow_cm"></a><dl> ///<dt><b>WINHTTP_AUTOPROXY_ALLOW_CM</b></dt> </dl> </td> <td width="60%"> Enables proxy detection via connection ///manager. </td> </tr> <td width="40%"><a id="WINHTTP_AUTOPROXY_ALLOW_STATIC"></a><a ///id="winhttp_autoproxy_allow_static"></a><dl> <dt><b>WINHTTP_AUTOPROXY_ALLOW_STATIC</b></dt> </dl> </td> <td ///width="60%"> Enables proxy detection via static configuration. </td> </tr> <tr> <td width="40%"><a ///id="WINHTTP_AUTOPROXY_AUTO_DETECT"></a><a id="winhttp_autoproxy_auto_detect"></a><dl> ///<dt><b>WINHTTP_AUTOPROXY_AUTO_DETECT</b></dt> </dl> </td> <td width="60%"> Attempt to automatically discover the ///URL of the PAC file using both DHCP and DNS queries to the local network. </td> </tr> <tr> <td width="40%"><a ///id="WINHTTP_AUTOPROXY_CONFIG_URL"></a><a id="winhttp_autoproxy_config_url"></a><dl> ///<dt><b>WINHTTP_AUTOPROXY_CONFIG_URL</b></dt> </dl> </td> <td width="60%"> Download the PAC file from the URL ///specified by <b>lpszAutoConfigUrl</b> in the <b>WINHTTP_AUTOPROXY_OPTIONS</b> structure. </td> </tr> <tr> <td ///width="40%"><a id="WINHTTP_AUTOPROXY_HOST_KEEPCASE"></a><a id="winhttp_autoproxy_host_keepcase"></a><dl> ///<dt><b>WINHTTP_AUTOPROXY_HOST_KEEPCASE</b></dt> </dl> </td> <td width="60%"> Maintains the case of the hostnames ///passed to the PAC script. This is the default behavior. </td> </tr> <tr> <td width="40%"><a ///id="WINHTTP_AUTOPROXY_HOST_LOWERCASE"></a><a id="winhttp_autoproxy_host_lowercase"></a><dl> ///<dt><b>WINHTTP_AUTOPROXY_HOST_LOWERCASE</b></dt> </dl> </td> <td width="60%"> Converts hostnames to lowercase ///before passing them to the PAC script. </td> </tr> <tr> <td width="40%"><a ///id="WINHTTP_AUTOPROXY_NO_CACHE_CLIENT"></a><a id="winhttp_autoproxy_no_cache_client"></a><dl> ///<dt><b>WINHTTP_AUTOPROXY_NO_CACHE_CLIENT</b></dt> </dl> </td> <td width="60%"> Disables querying a host to proxy ///cache of script execution results in the current process. </td> </tr> <tr> <td width="40%"><a ///id="WINHTTP_AUTOPROXY_NO_CACHE_SVC"></a><a id="winhttp_autoproxy_no_cache_svc"></a><dl> ///<dt><b>WINHTTP_AUTOPROXY_NO_CACHE_SVC</b></dt> </dl> </td> <td width="60%"> Disables querying a host to proxy ///cache of script execution results in the autoproxy service. </td> </tr> <tr> <td width="40%"><a ///id="WINHTTP_AUTOPROXY_NO_DIRECTACCESS"></a><a id="winhttp_autoproxy_no_directaccess"></a><dl> ///<dt><b>WINHTTP_AUTOPROXY_NO_DIRECTACCESS</b></dt> </dl> </td> <td width="60%"> Disables querying Direct Access ///proxy settings for this request. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTOPROXY_RUN_INPROCESS"></a><a ///id="winhttp_autoproxy_run_inprocess"></a><dl> <dt><b>WINHTTP_AUTOPROXY_RUN_INPROCESS</b></dt> </dl> </td> <td ///width="60%"> Executes the Web Proxy Auto-Discovery (WPAD) protocol in-process instead of delegating to an ///out-of-process WinHTTP AutoProxy Service, if available. This flag must be combined with one of the other flags. ///This option has no effect when passed to WinHttpGetProxyForUrlEx. <div class="alert"><b>Note</b> This flag is ///deprecated.</div> <div> </div> </td> </tr> <tr> <td width="40%"><a ///id="WINHTTP_AUTOPROXY_RUN_OUTPROCESS_ONLY"></a><a id="winhttp_autoproxy_run_outprocess_only"></a><dl> ///<dt><b>WINHTTP_AUTOPROXY_RUN_OUTPROCESS_ONLY</b></dt> </dl> </td> <td width="60%"> By default, WinHTTP is ///configured to fall back to auto-discover a proxy in-process. If this fallback behavior is undesirable in the ///event that an out-of-process discovery fails, it can be disabled using this flag. This option has no effect when ///passed to WinHttpGetProxyForUrlEx. <div class="alert"><b>Note</b> This flag is available on Windows Server 2003 ///only.</div> <div> </div> </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTOPROXY_SORT_RESULTS_"></a><a ///id="winhttp_autoproxy_sort_results_"></a><dl> <dt><b>WINHTTP_AUTOPROXY_SORT_RESULTS </b></dt> </dl> </td> <td ///width="60%"> Orders the proxy results based on a heuristic placing the fastest proxies first. </td> </tr> ///</table> uint dwFlags; ///If <b>dwFlags</b> includes the WINHTTP_AUTOPROXY_AUTO_DETECT flag, then <b>dwAutoDetectFlags</b> specifies what ///protocols are to be used to locate the PAC file. If both the DHCP and DNS auto detect flags are specified, then ///DHCP is used first; if no PAC URL is discovered using DHCP, then DNS is used. If <b>dwFlags</b> does not include ///the WINHTTP_AUTOPROXY_AUTO_DETECT flag, then <b>dwAutoDetectFlags</b> must be zero. <table> <tr> <th>Value</th> ///<th>Meaning</th> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTO_DETECT_TYPE_DHCP"></a><a ///id="winhttp_auto_detect_type_dhcp"></a><dl> <dt><b>WINHTTP_AUTO_DETECT_TYPE_DHCP</b></dt> </dl> </td> <td ///width="60%"> Use DHCP to locate the proxy auto-configuration file. </td> </tr> <tr> <td width="40%"><a ///id="WINHTTP_AUTO_DETECT_TYPE_DNS_A"></a><a id="winhttp_auto_detect_type_dns_a"></a><dl> ///<dt><b>WINHTTP_AUTO_DETECT_TYPE_DNS_A</b></dt> </dl> </td> <td width="60%"> Use DNS to attempt to locate the ///proxy auto-configuration file at a well-known location on the domain of the local computer. </td> </tr> </table> uint dwAutoDetectFlags; ///If <b>dwFlags</b> includes the WINHTTP_AUTOPROXY_CONFIG_URL flag, the <b>lpszAutoConfigUrl</b> must point to a ///<b>null</b>-terminated Unicode string that contains the URL of the proxy auto-configuration (PAC) file. If ///<b>dwFlags</b> does not include the WINHTTP_AUTOPROXY_CONFIG_URL flag, then <b>lpszAutoConfigUrl</b> must be ///<b>NULL</b>. const(PWSTR) lpszAutoConfigUrl; ///Reserved for future use; must be <b>NULL</b>. void* lpvReserved; ///Reserved for future use; must be zero. uint dwReserved; ///Specifies whether the client's domain credentials should be automatically sent in response to an NTLM or ///Negotiate Authentication challenge when WinHTTP requests the PAC file. If this flag is TRUE, credentials should ///automatically be sent in response to an authentication challenge. If this flag is FALSE and authentication is ///required to download the PAC file, the WinHttpGetProxyForUrl function fails. BOOL fAutoLogonIfChallenged; } ///The <b>WINHTTP_PROXY_RESULT_ENTRY</b> structure contains a result entry from a call to WinHttpGetProxyResult. struct WINHTTP_PROXY_RESULT_ENTRY { ///A <b>BOOL</b> that whether a result is from a proxy. It is set to <b>TRUE</b> if the result contains a proxy or ///<b>FALSE</b> if the result does not contain a proxy. BOOL fProxy; ///A BOOL that indicates if the result is bypassing a proxy (on an intranet). It is set to <b>TRUE</b> if the result ///is bypassing a proxy or <b>FALSE</b> if all traffic is direct. This parameter applies only if <i>fProxy</i> is ///<b>FALSE</b>. BOOL fBypass; ///An INTERNET_SCHEME value that specifies the scheme of the proxy. INTERNET_SCHEME ProxyScheme; ///A string that contains the hostname of the proxy. PWSTR pwszProxy; ///An INTERNET_PORT value that specifies the port of the proxy. ushort ProxyPort; } ///The <b>WINHTTP_PROXY_RESULT</b> structure contains collection of proxy result entries provided by ///WinHttpGetProxyResult. struct WINHTTP_PROXY_RESULT { ///The number of entries in the <b>pEntries</b> array. uint cEntries; ///A pointer to an array of WINHTTP_PROXY_RESULT_ENTRY structures. WINHTTP_PROXY_RESULT_ENTRY* pEntries; } struct WINHTTP_PROXY_RESULT_EX { uint cEntries; WINHTTP_PROXY_RESULT_ENTRY* pEntries; HANDLE hProxyDetectionHandle; uint dwProxyInterfaceAffinity; } struct _WinHttpProxyNetworkKey { ubyte[128] pbBuffer; } struct WINHTTP_PROXY_SETTINGS { uint dwStructSize; uint dwFlags; uint dwCurrentSettingsVersion; PWSTR pwszConnectionName; PWSTR pwszProxy; PWSTR pwszProxyBypass; PWSTR pwszAutoconfigUrl; PWSTR pwszAutoconfigSecondaryUrl; uint dwAutoDiscoveryFlags; PWSTR pwszLastKnownGoodAutoConfigUrl; uint dwAutoconfigReloadDelayMins; FILETIME ftLastKnownDetectTime; uint dwDetectedInterfaceIpCount; uint* pdwDetectedInterfaceIp; uint cNetworkKeys; _WinHttpProxyNetworkKey* pNetworkKeys; } ///The <b>WINHTTP_CERTIFICATE_INFO</b> structure contains certificate information returned from the server. This ///structure is used by the WinHttpQueryOption function. struct WINHTTP_CERTIFICATE_INFO { ///A FILETIME structure that contains the date the certificate expires. FILETIME ftExpiry; ///A FILETIME structure that contains the date the certificate becomes valid. FILETIME ftStart; ///A pointer to a buffer that contains the name of the organization, site, and server for which the certificate was ///issued. PWSTR lpszSubjectInfo; ///A pointer to a buffer that contains the name of the organization, site, and server that issued the certificate. PWSTR lpszIssuerInfo; ///A pointer to a buffer that contains the name of the protocol used to provide the secure connection. This member ///is not current used. PWSTR lpszProtocolName; ///A pointer to a buffer that contains the name of the algorithm used to sign the certificate. This member is not ///current used. PWSTR lpszSignatureAlgName; ///A pointer to a buffer that contains the name of the algorithm used to perform encryption over the secure channel ///(SSL/TLS) connection. This member is not current used. PWSTR lpszEncryptionAlgName; ///The size, in bytes, of the key. uint dwKeySize; } ///The <b>WINHTTP_CONNECTION_INFO</b> structure contains the source and destination IP address of the request that ///generated the response. struct WINHTTP_CONNECTION_INFO { align (4): ///The size, in bytes, of the <b>WINHTTP_CONNECTION_INFO</b> structure. uint cbSize; ///A SOCKADDR_STORAGE structure that contains the local IP address and port of the original request. SOCKADDR_STORAGE_LH LocalAddress; ///A SOCKADDR_STORAGE structure that contains the remote IP address and port of the original request. SOCKADDR_STORAGE_LH RemoteAddress; } ///The **WINHTTP\_REQUEST\_TIMES** structure contains a variety of timing information for a request. struct WINHTTP_REQUEST_TIMES { align (4): ///Unsigned long integer value that contains the number of timings to retrieve. This should generally be set to ///**WinHttpRequestTimeLast**. uint cTimes; ///Array of unsigned long long integer values that will contain the returned timings, indexed by ///[**WINHTTP\_REQUEST\_TIME\_ENTRY**](/windows/desktop/api/winhttp/ne-winhttp-winhttp_request_time_entry). Times ///are measured as performance counter values; for more information, see ///[QueryPerformanceCounter](/windows/desktop/api/profileapi/nf-profileapi-queryperformancecounter). ulong[64] rgullTimes; } ///The **WINHTTP\_REQUEST\_STATS** structure contains a variety of statistics for a request. struct WINHTTP_REQUEST_STATS { align (4): ///Flags containing details on how the request was made. The following flags are available. | Value | Meaning | ///|-|-| | WINHTTP_REQUEST_STAT_FLAG_TCP_FAST_OPEN | TCP Fast Open occurred. | | ///WINHTTP_REQUEST_STAT_FLAG_TLS_SESSION_RESUMPTION | TLS Session Resumption occurred. | | ///WINHTTP_REQUEST_STAT_FLAG_TLS_FALSE_START | TLS False Start occurred. | | ///WINHTTP_REQUEST_STAT_FLAG_PROXY_TLS_SESSION_RESUMPTION | TLS Session Resumption occurred for the proxy ///connection. | | WINHTTP_REQUEST_STAT_FLAG_PROXY_TLS_FALSE_START | TLS False Start occurred for the proxy ///connection. | | WINHTTP_REQUEST_STAT_FLAG_FIRST_REQUEST | This is the first request on the connection. | ulong ullFlags; ///The index of the request on the connection. This indicates how many prior requests were sent over the shared ///connection. uint ulIndex; ///Unsigned long integer value that contains the number of statistics to retrieve. This should generally be set to ///**WinHttpRequestStatLast**. uint cStats; ///Array of unsigned long long integer values that will contain the returned statistics, indexed by ///[**WINHTTP\_REQUEST\_STAT\_ENTRY**](/windows/desktop/api/winhttp/ne-winhttp-winhttp_request_stat_entry). ulong[32] rgullStats; } struct WINHTTP_EXTENDED_HEADER { union { const(PWSTR) pwszName; const(PSTR) pszName; } union { const(PWSTR) pwszValue; const(PSTR) pszValue; } } ///The <b>WINHTTP_CREDS</b> structure contains user credential information used for server and proxy authentication. ///<div class="alert"><b>Note</b> This structure has been deprecated. Instead, the use of the WINHTTP_CREDS_EX structure ///is recommended.</div><div> </div> struct WINHTTP_CREDS { ///Pointer to a buffer that contains username. PSTR lpszUserName; ///Pointer to a buffer that contains password. PSTR lpszPassword; ///Pointer to a buffer that contains realm. PSTR lpszRealm; ///A flag that contains the authentication scheme, as one of the following values. <table> <tr> <th>Value</th> ///<th>Meaning</th> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_BASIC"></a><a ///id="winhttp_auth_scheme_basic"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_BASIC</b></dt> </dl> </td> <td width="60%"> ///Use basic authentication. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_NTLM"></a><a ///id="winhttp_auth_scheme_ntlm"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_NTLM</b></dt> </dl> </td> <td width="60%"> Use ///NTLM authentication. </td> </tr> <tr> <td width="40%"><a id="INHTTP_AUTH_SCHEME_DIGEST"></a><a ///id="inhttp_auth_scheme_digest"></a><dl> <dt><b>INHTTP_AUTH_SCHEME_DIGEST</b></dt> </dl> </td> <td width="60%"> ///Use digest authentication. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_NEGOTIATE"></a><a ///id="winhttp_auth_scheme_negotiate"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_NEGOTIATE</b></dt> </dl> </td> <td ///width="60%"> Select between NTLM and Kerberos authentication. </td> </tr> </table> uint dwAuthScheme; ///Pointer to a buffer that contains hostname. PSTR lpszHostName; ///The server connection port. uint dwPort; } ///The <b>WINHTTP_CREDS_EX</b> structure contains user credential information used for server and proxy authentication. struct WINHTTP_CREDS_EX { ///Pointer to a buffer that contains username. PSTR lpszUserName; ///Pointer to a buffer that contains password. PSTR lpszPassword; ///Pointer to a buffer that contains realm. PSTR lpszRealm; ///A flag that contains the authentication scheme, as one of the following values. <table> <tr> <th>Value</th> ///<th>Meaning</th> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_BASIC"></a><a ///id="winhttp_auth_scheme_basic"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_BASIC</b></dt> </dl> </td> <td width="60%"> ///Use basic authentication. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_NTLM"></a><a ///id="winhttp_auth_scheme_ntlm"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_NTLM</b></dt> </dl> </td> <td width="60%"> Use ///NTLM authentication. </td> </tr> <tr> <td width="40%"><a id="INHTTP_AUTH_SCHEME_DIGEST"></a><a ///id="inhttp_auth_scheme_digest"></a><dl> <dt><b>INHTTP_AUTH_SCHEME_DIGEST</b></dt> </dl> </td> <td width="60%"> ///Use digest authentication. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_NEGOTIATE"></a><a ///id="winhttp_auth_scheme_negotiate"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_NEGOTIATE</b></dt> </dl> </td> <td ///width="60%"> Select between NTLM and Kerberos authentication. </td> </tr> </table> uint dwAuthScheme; ///Pointer to a buffer that contains hostname. PSTR lpszHostName; ///The server connection port. uint dwPort; ///Pointer to a buffer that contains target URL. PSTR lpszUrl; } ///The <b>WINHTTP_CURRENT_USER_IE_PROXY_CONFIG</b> structure contains the Internet Explorer proxy configuration ///information. struct WINHTTP_CURRENT_USER_IE_PROXY_CONFIG { ///If TRUE, indicates that the Internet Explorer proxy configuration for the current user specifies "automatically ///detect settings". BOOL fAutoDetect; ///Pointer to a null-terminated Unicode string that contains the auto-configuration URL if the Internet Explorer ///proxy configuration for the current user specifies "Use automatic proxy configuration". PWSTR lpszAutoConfigUrl; ///Pointer to a null-terminated Unicode string that contains the proxy URL if the Internet Explorer proxy ///configuration for the current user specifies "use a proxy server". PWSTR lpszProxy; ///Pointer to a null-terminated Unicode string that contains the optional proxy by-pass server list. PWSTR lpszProxyBypass; } ///The <b>WINHTTP_WEB_SOCKET_ASYNC_RESULT</b> includes the result status of a WebSocket operation. struct WINHTTP_WEB_SOCKET_ASYNC_RESULT { ///Type: <b>WINHTTP_ASYNC_RESULT</b> The result of a WebSocket operation. WINHTTP_ASYNC_RESULT AsyncResult; ///Type: <b>WINHTTP_WEB_SOCKET_OPERATION</b> The type of WebSocket operation. WINHTTP_WEB_SOCKET_OPERATION Operation; } ///The <b>WINHTTP_WEB_SOCKET_STATUS</b> enumeration includes the status of a WebSocket operation. struct WINHTTP_WEB_SOCKET_STATUS { ///Type: <b>DWORD</b> The amount of bytes transferred in the operation. uint dwBytesTransferred; ///Type: <b>WINHTTP_WEB_SOCKET_BUFFER_TYPE</b> The type of data in the buffer. WINHTTP_WEB_SOCKET_BUFFER_TYPE eBufferType; } // Functions ///The <b>HttpInitialize</b> function initializes the HTTP Server API driver, starts it, if it has not already been ///started, and allocates data structures for the calling application to support response-queue creation and other ///operations. Call this function before calling any other functions in the HTTP Server API. ///Params: /// Version = HTTP version. This parameter is an HTTPAPI_VERSION structure. For the current version, declare an instance of the /// structure and set it to the pre-defined value HTTPAPI_VERSION_1 before passing it to <b>HttpInitialize</b>. /// Flags = Initialization options, which can include one or both of the following values. <table> <tr> <th>Value</th> /// <th>Meaning</th> </tr> <tr> <td width="40%"><a id="HTTP_INITIALIZE_CONFIG"></a><a /// id="http_initialize_config"></a><dl> <dt><b>HTTP_INITIALIZE_CONFIG</b></dt> </dl> </td> <td width="60%"> Perform /// initialization for applications that use the HTTP configuration functions, HttpSetServiceConfiguration, /// HttpQueryServiceConfiguration and HttpDeleteServiceConfiguration. </td> </tr> <tr> <td width="40%"><a /// id="HTTP_INITIALIZE_SERVER"></a><a id="http_initialize_server"></a><dl> <dt><b>HTTP_INITIALIZE_SERVER</b></dt> /// </dl> </td> <td width="60%"> Perform initialization for applications that use the HTTP Server API. </td> </tr> /// </table> /// pReserved = This parameter is reserved and must be <b>NULL</b>. ///Returns: /// If the function succeeds, the return value is NO_ERROR. If the function fails, the return value is one of the /// following error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The <i>Flags</i> parameter contains an /// unsupported value. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A /// system error code defined in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpInitialize(HTTPAPI_VERSION Version, uint Flags, void* pReserved); ///The <b>HttpTerminate</b> function cleans up resources used by the HTTP Server API to process calls by an application. ///An application should call <b>HttpTerminate</b> once for every time it called HttpInitialize, with matching flag ///settings. ///Params: /// Flags = Termination options. This parameter can be one or more of the following values. <table> <tr> <th>Value</th> /// <th>Meaning</th> </tr> <tr> <td width="40%"><a id="HTTP_INITIALIZE_CONFIG"></a><a /// id="http_initialize_config"></a><dl> <dt><b>HTTP_INITIALIZE_CONFIG</b></dt> </dl> </td> <td width="60%"> Release /// all resources used by applications that modify the HTTP configuration. </td> </tr> <tr> <td width="40%"><a /// id="HTTP_INITIALIZE_SERVER"></a><a id="http_initialize_server"></a><dl> <dt><b>HTTP_INITIALIZE_SERVER</b></dt> /// </dl> </td> <td width="60%"> Release all resources used by server applications. </td> </tr> </table> /// pReserved = This parameter is reserved and must be <b>NULL</b>. ///Returns: /// If the function succeeds, the return value is NO_ERROR. If the function fails, the return value is one of the /// following error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One or more of the supplied parameters is in /// an unusable form. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A /// system error code defined in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpTerminate(uint Flags, void* pReserved); ///The <b>HttpCreateHttpHandle</b> function creates an HTTP request queue for the calling application and returns a ///handle to it. Starting with HTTP Server API Version 2.0, applications should call HttpCreateRequestQueue to create ///the request queue; <b>HttpCreateHttpHandle</b> should not be used. ///Params: /// RequestQueueHandle = A pointer to a variable that receives a handle to the request queue. /// Reserved = Reserved. This parameter must be zero. ///Returns: /// If the function succeeds, the return value is <b>NO_ERROR</b>. If the function fails, the return value is one of /// the following error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_DLL_INIT_FAILED</b></dt> </dl> </td> <td width="60%"> The calling application did not call /// HttpInitialize before calling this function. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> /// </td> <td width="60%"> A system error code defined in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpCreateHttpHandle(HANDLE* RequestQueueHandle, uint Reserved); ///The <b>HttpCreateRequestQueue</b> function creates a new request queue or opens an existing request queue. This ///function replaces the HTTP version 1.0 HttpCreateHttpHandle function. ///Params: /// Version = An HTTPAPI_VERSION structure indicating the request queue version. For version 2.0, declare an instance of the /// structure and set it to the predefined value HTTPAPI_VERSION_2 before passing it to /// <b>HttpCreateRequestQueue</b>. The version must be 2.0; <b>HttpCreateRequestQueue</b> does not support version /// 1.0 request queues. /// Name = The name of the request queue. The length, in bytes, cannot exceed MAX_PATH. The optional name parameter allows /// other processes to access the request queue by name. /// SecurityAttributes = A pointer to the SECURITY_ATTRIBUTES structure that contains the access permissions for the request queue. This /// parameter must be <b>NULL</b> when opening an existing request queue. /// Flags = The flags parameter defines the scope of the request queue. This parameter can be one or more of the followng: /// <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HTTP_CREATE_REQUEST_QUEUE_FLAG_CONTROLLER"></a><a id="http_create_request_queue_flag_controller"></a><dl> /// <dt><b>HTTP_CREATE_REQUEST_QUEUE_FLAG_CONTROLLER</b></dt> </dl> </td> <td width="60%"> The handle to the request /// queue created using this flag cannot be used to perform I/O operations. This flag can be set only when the /// request queue handle is created. </td> </tr> <tr> <td width="40%"><a /// id="HTTP_CREATE_REQUEST_QUEUE_FLAG_OPEN_EXISTING"></a><a /// id="http_create_request_queue_flag_open_existing"></a><dl> /// <dt><b>HTTP_CREATE_REQUEST_QUEUE_FLAG_OPEN_EXISTING</b></dt> </dl> </td> <td width="60%"> The /// <b>HTTP_CREATE_REQUEST_QUEUE_FLAG_OPEN_EXISTING</b> flag allows applications to open an existing request queue by /// name and retrieve the request queue handle. The <i>pName</i> parameter must contain a valid request queue name; /// it cannot be <b>NULL</b>. </td> </tr> </table> /// RequestQueueHandle = A pointer to a variable that receives a handle to the request queue. This parameter must contain a valid pointer; /// it cannot be <b>NULL</b>. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b> If the function fails, it returns one of the following error /// codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_REVISION_MISMATCH</b></dt> </dl> </td> <td width="60%"> The <i>Version</i> parameter contains an /// invalid version. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td /// width="60%"> The length, in bytes, of the request queue name cannot exceed MAX_PATH. The /// <i>pSecurityAttributes</i> parameter must be <b>NULL</b> when opening an existing request queue. The /// <b>HTTP_CREATE_REQUEST_QUEUE_FLAG_CONTROLLER</b> can only be set when the request queue is created. The /// <b>HTTP_CREATE_REQUEST_QUEUE_FLAG_OPEN_EXISTING</b> can only be set when the application has permission to open /// an existing request queue. In this case, the <i>pReqQueueHandle</i> parameter must be a valid pointer, and the /// <i>pName</i> parameter must contain a valid request queue name; it cannot be <b>NULL</b>. The /// <i>pReqQueueHandle</i> parameter returned by HttpCreateRequestQueue is <b>NULL</b>. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_ALREADY_EXISTS</b></dt> </dl> </td> <td width="60%"> The <i>pName</i> parameter /// conflicts with an existing request queue that contains an identical name. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_ACCESS_DENIED</b></dt> </dl> </td> <td width="60%"> The calling process does not have a permission /// to open the request queue. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_DLL_INIT_FAILED</b></dt> </dl> /// </td> <td width="60%"> The application has not called HttpInitialize prior to calling HttpCreateRequestQueue. /// </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpCreateRequestQueue(HTTPAPI_VERSION Version, const(PWSTR) Name, SECURITY_ATTRIBUTES* SecurityAttributes, uint Flags, HANDLE* RequestQueueHandle); ///The <b>HttpCloseRequestQueue</b> function closes the handle to the specified request queue created by ///HttpCreateRequestQueue. The application must close the request queue when it is no longer required. ///Params: /// RequestQueueHandle = The handle to the request queue that is closed. A request queue is created and its handle returned by a call to /// the HttpCreateRequestQueue function. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b>. If the function fails, it returns one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The application does not have permission to /// close the request queue. Only the application that created the request queue can close it. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpCloseRequestQueue(HANDLE RequestQueueHandle); ///The <b>HttpSetRequestQueueProperty</b> function sets a new property or modifies an existing property on the request ///queue identified by the specified handle. ///Params: /// RequestQueueHandle = The handle to the request queue on which the property is set. A request queue is created and its handle returned /// by a call to the HttpCreateRequestQueue function. /// Property = A member of the HTTP_SERVER_PROPERTY enumeration describing the property type that is set. This must be one of /// the following: <table> <tr> <th>Property</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HttpServer503VerbosityProperty"></a><a id="httpserver503verbosityproperty"></a><a /// id="HTTPSERVER503VERBOSITYPROPERTY"></a><dl> <dt><b>HttpServer503VerbosityProperty</b></dt> </dl> </td> <td /// width="60%"> Modifies or sets the current verbosity level of 503 responses generated for the request queue. </td> /// </tr> <tr> <td width="40%"><a id="HttpServerQueueLengthProperty"></a><a id="httpserverqueuelengthproperty"></a><a /// id="HTTPSERVERQUEUELENGTHPROPERTY"></a><dl> <dt><b>HttpServerQueueLengthProperty</b></dt> </dl> </td> <td /// width="60%"> Modifies or sets the limit on the number of outstanding requests in the request queue. </td> </tr> /// <tr> <td width="40%"><a id="HttpServerStateProperty"></a><a id="httpserverstateproperty"></a><a /// id="HTTPSERVERSTATEPROPERTY"></a><dl> <dt><b>HttpServerStateProperty</b></dt> </dl> </td> <td width="60%"> /// Modifies or sets the state of the request queue. The state must be either active or inactive. </td> </tr> /// </table> /// PropertyInformation = A pointer to the buffer that contains the property information. <i>pPropertyInformation</i> points to one of the /// following property information types based on the property that is set.<table> <tr> <th>Property</th> <th> /// Configuration Type</th> </tr> <tr> <td>HttpServerStateProperty</td> <td> HTTP_ENABLED_STATE enumeration</td> /// </tr> <tr> <td>HttpServerQueueLengthProperty</td> <td>ULONG</td> </tr> <tr> /// <td>HttpServer503VerbosityProperty</td> <td> HTTP_503_RESPONSE_VERBOSITY enumeration</td> </tr> </table> /// PropertyInformationLength = The length, in bytes, of the buffer pointed to by the <i>pPropertyInformation</i> parameter. /// Reserved1 = Reserved. Must be zero. /// Reserved2 = Reserved. Must be <b>NULL</b>. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b>. If the function fails, it returns one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The <i>Reserved</i> parameter is not zero or /// the <i>pReserved</i> parameter is not <b>NULL</b>. The property type specified in the <i>Property</i> parameter /// is not supported for request queues. The <i>pPropertyInformation</i> parameter is <b>NULL</b>. The /// <i>PropertyInformationLength</i> parameter is zero. The application does not have permission to set properties on /// the request queue. Only the application that created the request queue can set the properties. </td> </tr> <tr> /// <td width="40%"> <dl> <dt><b>ERROR_NOT_SUPPORTED</b></dt> </dl> </td> <td width="60%"> The handle to the request /// queue is an HTTP version 1.0 handle. Property management is only supported on HTTP version 2.0 or later request /// queues. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpSetRequestQueueProperty(HANDLE RequestQueueHandle, HTTP_SERVER_PROPERTY Property, void* PropertyInformation, uint PropertyInformationLength, uint Reserved1, void* Reserved2); ///The <b>HttpQueryRequestQueueProperty</b> function queries a property of the request queue identified by the specified ///handle. ///Params: /// RequestQueueProperty = The handle to the request queue for which the property setting is returned. A request queue is created and its /// handle returned by a call to the HttpCreateRequestQueue function. /// Property = A member of the HTTP_SERVER_PROPERTY enumeration that describes the property type that is set. This can be one of /// the following: <table> <tr> <th>Property</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HttpServer503VerbosityProperty"></a><a id="httpserver503verbosityproperty"></a><a /// id="HTTPSERVER503VERBOSITYPROPERTY"></a><dl> <dt><b>HttpServer503VerbosityProperty</b></dt> </dl> </td> <td /// width="60%"> Queries the current verbosity level of 503 responses generated for the requests queue. </td> </tr> /// <tr> <td width="40%"><a id="HttpServerQueueLengthProperty"></a><a id="httpserverqueuelengthproperty"></a><a /// id="HTTPSERVERQUEUELENGTHPROPERTY"></a><dl> <dt><b>HttpServerQueueLengthProperty</b></dt> </dl> </td> <td /// width="60%"> Queries the limit on the number of outstanding requests in the request queue. </td> </tr> <tr> <td /// width="40%"><a id="HttpServerStateProperty"></a><a id="httpserverstateproperty"></a><a /// id="HTTPSERVERSTATEPROPERTY"></a><dl> <dt><b>HttpServerStateProperty</b></dt> </dl> </td> <td width="60%"> /// Queries the current state of the request queue. The state must be either active or inactive. </td> </tr> </table> /// PropertyInformation = A pointer to the buffer that receives the property information. <i>pPropertyInformation</i> points to one of the /// following property information values based on the property that is set.<table> <tr> <th>Property</th> /// <th>Value</th> </tr> <tr> <td>HttpServerStateProperty</td> <td> HTTP_ENABLED_STATE (enumeration member)</td> /// </tr> <tr> <td>HttpServerQueueLengthProperty</td> <td>ULONG</td> </tr> <tr> /// <td>HttpServer503VerbosityProperty</td> <td> HTTP_503_RESPONSE_VERBOSITY (enumeration member)</td> </tr> </table> /// PropertyInformationLength = The length, in bytes, of the buffer pointed to by the <i>pPropertyInformation</i> parameter. /// Reserved1 = Reserved. Must be zero. /// ReturnLength = The number, in bytes, returned in the <i>pPropertyInformation</i> buffer if not <b>NULL</b>. If the output buffer /// is too small, the call fails with a return value of <b>ERROR_MORE_DATA</b>. The value pointed to by /// <i>pReturnLength</i> can be used to determine the minimum length of the buffer required for the call to succeed. /// Reserved2 = This parameter is reserved and must be <b>NULL</b>. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b>. If the function fails, it returns one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The <i>Reserved</i> parameter is not zero or /// the <i>pReserved</i> parameter is not <b>NULL</b>. The property type specified in the <i>Property</i> parameter /// is not supported on request queues. The <i>pPropertyInformation</i> parameter is <b>NULL</b>. The /// <i>PropertyInformationLength</i> parameter is zero. The application does not have permission to open the request /// queue. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_MORE_DATA</b></dt> </dl> </td> <td width="60%"> The /// size, in bytes, of the buffer pointed to by the <i>pPropertyInformation</i> parameter is too small to receive the /// property information. Call the function again with a buffer at least as large as the size pointed to by /// <i>pReturnLength</i> on exit. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_SUPPORTED</b></dt> </dl> /// </td> <td width="60%"> The handle to the request queue is an HTTP version 1.0 handle. Property management is only /// supported for HTTP version 2.0 and later request queues. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpQueryRequestQueueProperty(HANDLE RequestQueueHandle, HTTP_SERVER_PROPERTY Property, void* PropertyInformation, uint PropertyInformationLength, uint Reserved1, uint* ReturnLength, void* Reserved2); ///The <b>HttpShutdownRequestQueue</b> function stops queuing requests for the specified request queue process. ///Outstanding calls to HttpReceiveHttpRequest are canceled. ///Params: /// RequestQueueHandle = The handle to the request queue that is shut down. A request queue is created and its handle returned by a call /// to the HttpCreateRequestQueue function. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b> If the function fails, it returns one of the following error /// codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The <i>ReqQueueHandle</i> parameter does not /// contain a valid request queue. The application does not have permission to shut down the request queue. </td> /// </tr> </table> /// @DllImport("HTTPAPI") uint HttpShutdownRequestQueue(HANDLE RequestQueueHandle); ///The <b>HttpReceiveClientCertificate</b> function is used by a server application to retrieve a client SSL certificate ///or channel binding token (CBT). ///Params: /// RequestQueueHandle = A handle to the request queue with which the specified SSL client or CBT is associated. A request queue is /// created and its handle returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 /// and Windows XP with SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// ConnectionId = A value that identifies the connection to the client. This value is obtained from the <b>ConnectionId</b> element /// of an HTTP_REQUEST structure filled in by the HttpReceiveHttpRequest function. /// Flags = A value that modifies the behavior of the <b>HttpReceiveClientCertificate</b> function <table> <tr> /// <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="HTTP_RECEIVE_SECURE_CHANNEL_TOKEN"></a><a /// id="http_receive_secure_channel_token"></a><dl> <dt><b>HTTP_RECEIVE_SECURE_CHANNEL_TOKEN</b></dt> <dt>0x1</dt> /// </dl> </td> <td width="60%"> The <i>pSslClientCertInfo</i> parameter will be populated with CBT data. This value /// is supported on Windows 7, Windows Server 2008 R2, and later. </td> </tr> </table> /// SslClientCertInfo = If the <i>Flags</i> parameter is 0, then this parameter points to an HTTP_SSL_CLIENT_CERT_INFO structure into /// which the function writes the requested client certificate information. The buffer pointed to by the /// <i>pSslClientCertInfo</i> should be sufficiently large enough to hold the <b>HTTP_SSL_CLIENT_CERT_INFO</b> /// structure plus the value of the <b>CertEncodedSize</b> member of this structure. If the <i>Flags</i> parameter is /// <b>HTTP_RECEIVE_SECURE_CHANNEL_TOKEN</b>, then this parameter points to an HTTP_REQUEST_CHANNEL_BIND_STATUS /// structure into which the function writes the requested CBT information. The buffer pointed to by the /// <i>pSslClientCertInfo</i> should be sufficiently large enough to hold the <b>HTTP_REQUEST_CHANNEL_BIND_STATUS</b> /// structure plus the value of the <b>ChannelTokenSize</b> member of this structure. /// SslClientCertInfoSize = The size, in bytes, of the buffer pointed to by the <i>pSslClientCertInfo</i> parameter. /// BytesReceived = An optional pointer to a variable that receives the number of bytes to be written to the structure pointed to by /// <i>pSslClientCertInfo</i>. If not used, set it to <b>NULL</b>. When making an asynchronous call using /// <i>pOverlapped</i>, set <i>pBytesReceived</i> to <b>NULL</b>. Otherwise, when <i>pOverlapped</i> is set to /// <b>NULL</b>, <i>pBytesReceived</i> must contain a valid memory address, and not be set to <b>NULL</b>. /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure, or for synchronous calls, set /// it to <b>NULL</b>. A synchronous call blocks until the client certificate is retrieved, whereas an asynchronous /// call immediately returns <b>ERROR_IO_PENDING</b> and the calling application then uses GetOverlappedResult or I/O /// completion ports to determine when the operation is completed. For more information about using OVERLAPPED /// structures for synchronization, see the section Synchronization and Overlapped Input and Output. ///Returns: /// <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> <dt><b>NO_ERROR</b></dt> </dl> /// </td> <td width="60%"> The function succeeded. All the data has been written into the buffer pointed to by the /// <i>pSslClientCertInfo</i> parameter. The <i>NumberOfBytesTransferred</i> indicates how many bytes were written /// into the buffer. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_IO_PENDING</b></dt> </dl> </td> <td /// width="60%"> The function is being used asynchronously. The operation has been initiated and will complete later /// through normal overlapped I/O completion mechanisms. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One or more of the supplied parameters is /// not valid. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INSUFFICIENT_BUFFER</b></dt> </dl> </td> <td /// width="60%"> The buffer pointed to by the <i>pSslClientCertInfo</i> parameter is too small to receive the data /// and no data was written. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_MORE_DATA</b></dt> </dl> </td> <td /// width="60%"> The buffer pointed to by the <i>pSslClientCertInfo</i> parameter is not large enough to receive all /// the data. Only the basic structure has been written and only partially populated. When the <i>Flags</i> parameter /// is 0, the HTTP_SSL_CLIENT_CERT_INFOstructure has been written with the <b>CertEncodedSize</b> member populated. /// The caller should call the function again with a buffer that is at least the size, in bytes, of the /// <b>HTTP_SSL_CLIENT_CERT_INFO</b> structure plus the value of the <b>CertEncodedSize</b> member. When the /// <i>Flags</i> parameter is <b>HTTP_RECEIVE_SECURE_CHANNEL_TOKEN</b>, the HTTP_REQUEST_CHANNEL_BIND_STATUS /// structure has been written with the <b>ChannelTokenSize</b> member populated. The caller should call the function /// again with a buffer that is at least the size, in bytes, of the <b>HTTP_REQUEST_CHANNEL_BIND_STATUS</b> plus the /// value of the <b>ChannelTokenSize</b> member. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_FOUND</b></dt> </dl> </td> <td width="60%"> The function cannot find the client certificate or /// CBT. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A system error /// code defined in the <i>WinError.h</i> header file. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpReceiveClientCertificate(HANDLE RequestQueueHandle, ulong ConnectionId, uint Flags, HTTP_SSL_CLIENT_CERT_INFO* SslClientCertInfo, uint SslClientCertInfoSize, uint* BytesReceived, OVERLAPPED* Overlapped); ///The <b>HttpCreateServerSession</b> function creates a server session for the specified version. ///Params: /// Version = An HTTPAPI_VERSION structure that indicates the version of the server session. For version 2.0, declare an /// instance of the structure and set it to the predefined value <b>HTTPAPI_VERSION_2</b> before passing it to /// <b>HttpCreateServerSession</b>. The version must be 2.0; <b>HttpCreateServerSession</b> does not support version /// 1.0 request queues. /// ServerSessionId = A pointer to the variable that receives the ID of the server session. /// Reserved = Reserved. Must be zero. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b>. If the function fails, it returns one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_REVISION_MISMATCH</b></dt> </dl> </td> <td width="60%"> The version passed is invalid or /// unsupported. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td /// width="60%"> The <i>pServerSessionId</i> parameter is null or the <i>Reserved</i> is non zero. </td> </tr> /// </table> /// @DllImport("HTTPAPI") uint HttpCreateServerSession(HTTPAPI_VERSION Version, ulong* ServerSessionId, uint Reserved); ///The <b>HttpCloseServerSession</b> function deletes the server session identified by the server session ID. All ///remaining URL Groups associated with the server session will also be closed. ///Params: /// ServerSessionId = The ID of the server session that is closed. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b> If the function fails, it can return one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The Server Session does not exist. The /// application does not have permission to close the server session. Only the application that created the server /// session can close the session. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpCloseServerSession(ulong ServerSessionId); ///The <b>HttpQueryServerSessionProperty</b> function queries a server property on the specified server session. ///Params: /// ServerSessionId = The server session for which the property setting is returned. /// Property = A member of the HTTP_SERVER_PROPERTY enumeration that describes the property type that is queried. This can be /// one of the following. <table> <tr> <th>Property</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HttpServerStateProperty"></a><a id="httpserverstateproperty"></a><a id="HTTPSERVERSTATEPROPERTY"></a><dl> /// <dt><b>HttpServerStateProperty</b></dt> </dl> </td> <td width="60%"> Queries the current state of the server /// session. </td> </tr> <tr> <td width="40%"><a id="HttpServerTimeoutsProperty"></a><a /// id="httpservertimeoutsproperty"></a><a id="HTTPSERVERTIMEOUTSPROPERTY"></a><dl> /// <dt><b>HttpServerTimeoutsProperty</b></dt> </dl> </td> <td width="60%"> Queries the server session connection /// timeout limits. </td> </tr> <tr> <td width="40%"><a id="HttpServerQosProperty"></a><a /// id="httpserverqosproperty"></a><a id="HTTPSERVERQOSPROPERTY"></a><dl> <dt><b>HttpServerQosProperty</b></dt> </dl> /// </td> <td width="60%"> Queries the bandwidth throttling for the server session. By default, the HTTP Server API /// does not limit bandwidth. </td> </tr> <tr> <td width="40%"><a id="HttpServerAuthenticationProperty"></a><a /// id="httpserverauthenticationproperty"></a><a id="HTTPSERVERAUTHENTICATIONPROPERTY"></a><dl> /// <dt><b>HttpServerAuthenticationProperty</b></dt> </dl> </td> <td width="60%"> Queries kernel mode server-side /// authentication for the Basic, NTLM, Negotiate, and Digest authentication schemes. </td> </tr> <tr> <td /// width="40%"><a id="HttpServerChannelBindProperty"></a><a id="httpserverchannelbindproperty"></a><a /// id="HTTPSERVERCHANNELBINDPROPERTY"></a><dl> <dt><b>HttpServerChannelBindProperty</b></dt> </dl> </td> <td /// width="60%"> Queries the channel binding token (CBT) properties. </td> </tr> </table> /// PropertyInformation = A pointer to the buffer that receives the property data. <i>pPropertyInformation</i> points to one of the /// following property data structures based on the property that is set.<table> <tr> <th>Property</th> /// <th>Structure</th> </tr> <tr> <td>HttpServerStateProperty</td> <td> HTTP_STATE_INFO </td> </tr> <tr> /// <td>HttpServerQosProperty</td> <td> HTTP_QOS_SETTING_INFO </td> </tr> <tr> <td>HttpServerTimeoutsProperty</td> /// <td> HTTP_TIMEOUT_LIMIT_INFO </td> </tr> <tr> <td>HttpServerAuthenticationProperty</td> <td> /// HTTP_SERVER_AUTHENTICATION_INFO </td> </tr> <tr> <td>HttpServerChannelBindProperty</td> <td> /// HTTP_CHANNEL_BIND_INFO </td> </tr> </table> /// PropertyInformationLength = The length, in bytes, of the buffer pointed to by the <i>pPropertyInformation</i> parameter. /// ReturnLength = The number, in bytes, returned in the <i>pPropertyInformation</i> buffer. If the output buffer is too small, the /// call fails with a return value of <b>ERROR_MORE_DATA</b>. The value pointed to by <i>pReturnLength</i> can be /// used to determine the minimum length of the buffer required for the call to succeed. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b> If the function fails, it returns one of the following error /// codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The property type specified in the /// <i>Property</i> parameter is not supported for server sessions. The <i>ServerSessionId</i> parameter does not /// contain a valid server session. The <i>pPropertyInformation</i> parameter is <b>NULL</b>. The /// <i>PropertyInformationLength</i> parameter is zero. The application does not have permission to query the server /// session properties. Only the application that created the server session can query the properties. </td> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_MORE_DATA</b></dt> </dl> </td> <td width="60%"> The size, in bytes, of /// the buffer pointed to by the <i>pPropertyInformation</i> parameter is too small to receive the property data. On /// exit call the function again with a buffer at least as large as the size pointed to by <i>pReturnLength</i> on /// exit. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpQueryServerSessionProperty(ulong ServerSessionId, HTTP_SERVER_PROPERTY Property, void* PropertyInformation, uint PropertyInformationLength, uint* ReturnLength); ///The <b>HttpSetServerSessionProperty</b> function sets a new server session property or modifies an existing property ///on the specified server session. ///Params: /// ServerSessionId = The server session for which the property is set. /// Property = A member of the HTTP_SERVER_PROPERTY enumeration that describes the property type that is set. This can be one of /// the following. <table> <tr> <th>Property</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HttpServerStateProperty"></a><a id="httpserverstateproperty"></a><a id="HTTPSERVERSTATEPROPERTY"></a><dl> /// <dt><b>HttpServerStateProperty</b></dt> </dl> </td> <td width="60%"> Modifies or sets the state of the server /// session. The state can be either enabled or disabled; the default state is enabled. </td> </tr> <tr> <td /// width="40%"><a id="HttpServerTimeoutsProperty"></a><a id="httpservertimeoutsproperty"></a><a /// id="HTTPSERVERTIMEOUTSPROPERTY"></a><dl> <dt><b>HttpServerTimeoutsProperty</b></dt> </dl> </td> <td width="60%"> /// Modifies or sets the server session connection timeout limits. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerQosProperty"></a><a id="httpserverqosproperty"></a><a id="HTTPSERVERQOSPROPERTY"></a><dl> /// <dt><b>HttpServerQosProperty</b></dt> </dl> </td> <td width="60%"> Modifies or sets the bandwidth throttling for /// the server session. By default, the HTTP Server API does not limit bandwidth. <div class="alert"><b>Note</b> This /// value maps to the generic HTTP_QOS_SETTING_INFO structure with <b>QosType</b> set to /// <b>HttpQosSettingTypeBandwidth</b>. </div> <div> </div> </td> </tr> <tr> <td width="40%"><a /// id="HttpServerLoggingProperty"></a><a id="httpserverloggingproperty"></a><a /// id="HTTPSERVERLOGGINGPROPERTY"></a><dl> <dt><b>HttpServerLoggingProperty</b></dt> </dl> </td> <td width="60%"> /// Enables or disables logging for the server session. This property sets only centralized W3C and centralized /// binary logging. By default, logging is not enabled. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerAuthenticationProperty"></a><a id="httpserverauthenticationproperty"></a><a /// id="HTTPSERVERAUTHENTICATIONPROPERTY"></a><dl> <dt><b>HttpServerAuthenticationProperty</b></dt> </dl> </td> <td /// width="60%"> Enables kernel mode server side authentication for the Basic, NTLM, Negotiate, and Digest /// authentication schemes. </td> </tr> <tr> <td width="40%"><a id="HttpServerExtendedAuthenticationProperty"></a><a /// id="httpserverextendedauthenticationproperty"></a><a id="HTTPSERVEREXTENDEDAUTHENTICATIONPROPERTY"></a><dl> /// <dt><b>HttpServerExtendedAuthenticationProperty</b></dt> </dl> </td> <td width="60%"> Enables kernel mode server /// side authentication for the Kerberos authentication scheme. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerChannelBindProperty_"></a><a id="httpserverchannelbindproperty_"></a><a /// id="HTTPSERVERCHANNELBINDPROPERTY_"></a><dl> <dt><b>HttpServerChannelBindProperty </b></dt> </dl> </td> <td /// width="60%"> Enables server side authentication that uses a channel binding token (CBT). </td> </tr> </table> /// PropertyInformation = A pointer to the buffer that contains the property data. <i>pPropertyInformation</i> points to a property data /// structure, listed in the following table, based on the property that is set.<table> <tr> <th>Property</th> /// <th>Structure</th> </tr> <tr> <td>HttpServerStateProperty</td> <td> HTTP_STATE_INFO </td> </tr> <tr> /// <td>HttpServerLoggingProperty</td> <td> HTTP_LOGGING_INFO </td> </tr> <tr> <td>HttpServerQosProperty</td> <td> /// HTTP_QOS_SETTING_INFO </td> </tr> <tr> <td>HttpServerTimeoutsProperty</td> <td> HTTP_TIMEOUT_LIMIT_INFO </td> /// </tr> <tr> <td>HttpServerAuthenticationProperty</td> <td> HTTP_SERVER_AUTHENTICATION_INFO </td> </tr> <tr> /// <td>HttpServerExtendedAuthenticationProperty</td> <td> HTTP_SERVER_AUTHENTICATION_INFO </td> </tr> <tr> /// <td>HttpServerChannelBindProperty</td> <td> HTTP_CHANNEL_BIND_INFO </td> </tr> </table> /// PropertyInformationLength = The length, in bytes, of the buffer pointed to by the <i>pPropertyInformation</i> parameter. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b> If the function fails, it returns one of the following error /// codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The property type specified in the /// <i>Property</i> parameter is not supported for server sessions. The <i>pPropertyInformation</i> parameter is /// <b>NULL</b>. The <i>PropertyInformationLength</i> parameter is zero. The <i>ServerSessionId</i> parameter does /// not contain a valid server session. The application does not have permission to set the server session /// properties. Only the application that created the server session can set the properties. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpSetServerSessionProperty(ulong ServerSessionId, HTTP_SERVER_PROPERTY Property, void* PropertyInformation, uint PropertyInformationLength); ///The <b>HttpAddUrl</b> function registers a given URL so that requests that match it are routed to a specified HTTP ///Server API request queue. An application can register multiple URLs to a single request queue using repeated calls to ///<b>HttpAddUrl</b>. For more information about how HTTP Server API matches request URLs to registered URLs, see ///UrlPrefix Strings. Starting with HTTP Server API Version 2.0, applications should call HttpAddUrlToUrlGroup to ///register a URL; <b>HttpAddUrl</b> should not be used. ///Params: /// RequestQueueHandle = The handle to the request queue to which requests for the specified URL are to be routed. A request queue is /// created and its handle returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 /// and Windows XP with SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// FullyQualifiedUrl = A pointer to a Unicode string that contains a properly formed UrlPrefix string that identifies the URL to be /// registered. /// Reserved = Reserved; must be <b>NULL</b>. ///Returns: /// If the function succeeds, the return value is <b>NO_ERROR</b>. If the function fails, the return value is one of /// the following error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_ACCESS_DENIED</b></dt> </dl> </td> <td width="60%"> The calling application does not have permission /// to register the URL. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_DLL_INIT_FAILED</b></dt> </dl> </td> <td /// width="60%"> The calling application did not call HttpInitialize before calling this function. </td> </tr> <tr> /// <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One of the parameters /// are invalid. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_ALREADY_EXISTS</b></dt> </dl> </td> <td /// width="60%"> The specified UrlPrefix conflicts with an existing registration. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Insufficient resources to complete the /// operation. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A system /// error code defined in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpAddUrl(HANDLE RequestQueueHandle, const(PWSTR) FullyQualifiedUrl, void* Reserved); ///The <b>HttpRemoveUrl</b> function causes the system to stop routing requests that match a specified UrlPrefix string ///to a specified request queue. Starting with HTTP Server API Version 2.0, applications should call ///HttpRemoveUrlFromUrlGroup to register a URL; <b>HttpRemoveUrl</b> should not be used. ///Params: /// RequestQueueHandle = The handle to the request queue from which the URL registration is to be removed. A request queue is created and /// its handle returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 and Windows /// XP with SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// FullyQualifiedUrl = A pointer to a UrlPrefix string registered to the specified request queue. This string must be identical to the /// one passed to HttpAddUrl to register the UrlPrefix; even a nomenclature change in an IPv6 address is not /// accepted. ///Returns: /// If the function succeeds, the return value is <b>NO_ERROR</b>. If the function fails, the return value is one of /// the following error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_ACCESS_DENIED</b></dt> </dl> </td> <td width="60%"> The calling application does not have permission /// to remove the URL. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td /// width="60%"> One or more of the supplied parameters is in an unusable form. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Insufficient resources to complete the /// operation. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_FILE_NOT_FOUND</b></dt> </dl> </td> <td /// width="60%"> The specified UrlPrefix could not be found in the registration database. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A system error code defined in WinError.h. /// </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpRemoveUrl(HANDLE RequestQueueHandle, const(PWSTR) FullyQualifiedUrl); ///The <b>HttpCreateUrlGroup</b> function creates a URL Group under the specified server session. ///Params: /// ServerSessionId = The identifier of the server session under which the URL Group is created. /// pUrlGroupId = A pointer to the variable that receives the ID of the URL Group. /// Reserved = Reserved. Must be zero. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b> If the function fails, it returns one of the following error /// codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The <i>ServerSessionId</i> parameter /// indicates a non-existing Server Session. The <i>pUrlGroupId</i> parameter is null. The <i>Reserved</i> parameter /// is non-zero. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpCreateUrlGroup(ulong ServerSessionId, ulong* pUrlGroupId, uint Reserved); ///The <b>HttpCloseUrlGroup</b> function closes the URL Group identified by the URL Group ID. This call also removes all ///of the URLs that are associated with the URL Group. ///Params: /// UrlGroupId = The ID of the URL Group that is deleted. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b>. If the function fails, it returns one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The ID of the URL Group does not exist. The /// application does not have permission to close the URL Group. Only the application that created the URL Group can /// close the group. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpCloseUrlGroup(ulong UrlGroupId); ///The <b>HttpAddUrlToUrlGroup</b> function adds the specified URL to the URL Group identified by the URL Group ID. This ///function replaces the HTTP version 1.0 HttpAddUrl function. ///Params: /// UrlGroupId = The group ID for the URL group to which requests for the specified URL are routed. The URL group is created by /// the HttpCreateUrlGroup function. /// pFullyQualifiedUrl = A pointer to a Unicode string that contains a properly formed UrlPrefix String that identifies the URL to be /// registered. /// UrlContext = The context that is associated with the URL registered in this call. The URL context is returned in the /// HTTP_REQUEST structure with every request received on the URL specified in the <i>pFullyQualifiedUrl</i> /// parameter. /// Reserved = Reserved. Must be zero. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b> If the function fails, it returns one of the following error /// codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The <i>UrlGroupId</i> does not exist. The /// <i>Reserved</i> parameter is not zero. The application does not have permission to add URLs to the Group. Only /// the application that created the URL Group can add URLs. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_ACCESS_DENIED</b></dt> </dl> </td> <td width="60%"> The calling process does not have permission to /// register the URL. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_ALREADY_EXISTS</b></dt> </dl> </td> <td /// width="60%"> The specified URL conflicts with an existing registration. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpAddUrlToUrlGroup(ulong UrlGroupId, const(PWSTR) pFullyQualifiedUrl, ulong UrlContext, uint Reserved); ///The <b>HttpRemoveUrlFromUrlGroup</b> function removes the specified URL from the group identified by the URL Group ///ID. This function removes one, or all, of the URLs from the group. This function replaces the HTTP version 1.0 ///HttpRemoveUrl function. ///Params: /// UrlGroupId = The ID of the URL group from which the URL specified in <i>pFullyQualifiedUrl</i> is removed. /// pFullyQualifiedUrl = A pointer to a Unicode string that contains a properly formed UrlPrefix String that identifies the URL to be /// removed. When <b>HTTP_URL_FLAG_REMOVE_ALL</b> is passed in the <i>Flags</i> parameter, all of the existing URL /// registrations for the URL Group identified in <i>UrlGroupId</i> are removed from the group. In this case, /// <i>pFullyQualifiedUrl</i> must be <b>NULL</b>. /// Flags = The URL flags qualifying the URL that is removed. This can be one of the following flags: <table> <tr> <th>URL /// Flag</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="HTTP_URL_FLAG_REMOVE_ALL"></a><a /// id="http_url_flag_remove_all"></a><dl> <dt><b>HTTP_URL_FLAG_REMOVE_ALL</b></dt> </dl> </td> <td width="60%"> /// Removes all of the URLs currently registered with the URL Group. </td> </tr> </table> ///Returns: /// If the function succeeds, it returns NO_ERROR. If the function fails, it returns one of the following error /// codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The URL Group does not exist. The Flags /// parameter contains an invalid combination of flags. The HTTP_URL_FLAG_REMOVE_ALL flag was set and the /// <i>pFullyQualifiedUrl</i> parameter was not set to <b>NULL</b>. The application does not have permission to /// remove URLs from the Group. Only the application that created the URL Group can remove URLs. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_ACCESS_DENIED</b></dt> </dl> </td> <td width="60%"> The calling process does not /// have permission to deregister the URL. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_FILE_NOT_FOUND</b></dt> </dl> </td> <td width="60%"> The specified URL is not registered with the /// URL Group. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpRemoveUrlFromUrlGroup(ulong UrlGroupId, const(PWSTR) pFullyQualifiedUrl, uint Flags); ///The <b>HttpSetUrlGroupProperty</b> function sets a new property or modifies an existing property on the specified URL ///Group. ///Params: /// UrlGroupId = The ID of the URL Group for which the property is set. /// Property = A member of the HTTP_SERVER_PROPERTY enumeration that describes the property type that is modified or set. This /// can be one of the following: <table> <tr> <th>Property</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HttpServerAuthenticationProperty"></a><a id="httpserverauthenticationproperty"></a><a /// id="HTTPSERVERAUTHENTICATIONPROPERTY"></a><dl> <dt><b>HttpServerAuthenticationProperty</b></dt> </dl> </td> <td /// width="60%"> Enables server-side authentication for the URL Group using the Basic, NTLM, Negotiate, and Digest /// authentication schemes. </td> </tr> <tr> <td width="40%"><a id="HttpServerExtendedAuthenticationProperty"></a><a /// id="httpserverextendedauthenticationproperty"></a><a id="HTTPSERVEREXTENDEDAUTHENTICATIONPROPERTY"></a><dl> /// <dt><b>HttpServerExtendedAuthenticationProperty</b></dt> </dl> </td> <td width="60%"> Enables server-side /// authentication for the URL Group using the Kerberos authentication scheme. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerQosProperty"></a><a id="httpserverqosproperty"></a><a id="HTTPSERVERQOSPROPERTY"></a><dl> /// <dt><b>HttpServerQosProperty</b></dt> </dl> </td> <td width="60%"> This value maps to the generic /// HTTP_QOS_SETTING_INFO structure with <b>QosType</b> set to either <b>HttpQosSettingTypeBandwidth</b> or /// <b>HttpQosSettingTypeConnectionLimit</b>. If <b>HttpQosSettingTypeBandwidth</b>, modifies or sets the bandwidth /// throttling for the URL Group. If <b>HttpQosSettingTypeConnectionLimit</b>, modifies or sets the maximum number of /// outstanding connections served for a URL Group at any time. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerBindingProperty"></a><a id="httpserverbindingproperty"></a><a /// id="HTTPSERVERBINDINGPROPERTY"></a><dl> <dt><b>HttpServerBindingProperty</b></dt> </dl> </td> <td width="60%"> /// Modifies or sets the URL Group association with a request queue. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerLoggingProperty"></a><a id="httpserverloggingproperty"></a><a /// id="HTTPSERVERLOGGINGPROPERTY"></a><dl> <dt><b>HttpServerLoggingProperty</b></dt> </dl> </td> <td width="60%"> /// Modifies or sets logging for the URL Group. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerStateProperty"></a><a id="httpserverstateproperty"></a><a id="HTTPSERVERSTATEPROPERTY"></a><dl> /// <dt><b>HttpServerStateProperty</b></dt> </dl> </td> <td width="60%"> Modifies or sets the state of the URL Group. /// The state can be either enabled or disabled. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerTimeoutsProperty"></a><a id="httpservertimeoutsproperty"></a><a /// id="HTTPSERVERTIMEOUTSPROPERTY"></a><dl> <dt><b>HttpServerTimeoutsProperty</b></dt> </dl> </td> <td width="60%"> /// Modifies or sets the connection timeout limits for the URL Group. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerChannelBindProperty_"></a><a id="httpserverchannelbindproperty_"></a><a /// id="HTTPSERVERCHANNELBINDPROPERTY_"></a><dl> <dt><b>HttpServerChannelBindProperty </b></dt> </dl> </td> <td /// width="60%"> Enables server side authentication that uses a channel binding token (CBT). </td> </tr> </table> /// PropertyInformation = A pointer to the buffer that contains the property information. <i>pPropertyInformation</i> points to one of the /// following property information structures based on the property that is set.<table> <tr> <th>Property</th> /// <th>Structure</th> </tr> <tr> <td>HttpServerAuthenticatonProperty</td> <td> HTTP_SERVER_AUTHENTICATION_INFO </td> /// </tr> <tr> <td>HttpServerExtendedAuthenticationProperty</td> <td> HTTP_SERVER_AUTHENTICATION_INFO </td> </tr> /// <tr> <td>HttpServerQosProperty</td> <td> HTTP_QOS_SETTING_INFO </td> </tr> <tr> /// <td>HttpServerBindingProperty</td> <td> HTTP_BINDING_INFO </td> </tr> <tr> <td>HttpServerLoggingProperty</td> /// <td> HTTP_LOGGING_INFO </td> </tr> <tr> <td>HttpServerStateProperty</td> <td> HTTP_STATE_INFO </td> </tr> <tr> /// <td>HttpServerTimeoutsProperty</td> <td> HTTP_TIMEOUT_LIMIT_INFO </td> </tr> <tr> /// <td>HttpServerChannelBindProperty</td> <td> HTTP_CHANNEL_BIND_INFO </td> </tr> </table> /// PropertyInformationLength = The length, in bytes, of the buffer pointed to by the <i>pPropertyInformation</i> parameter. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b>. If the function fails, it returns one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The property type specified in the /// <i>Property</i> parameter is not supported for URL Groups. The <i>pPropertyInformation</i> parameter is /// <b>NULL</b>. The <i>PropertyInformationLength</i> parameter is zero. The <i>UrlGroupId</i> parameter does not /// contain a valid server session. The application does not have permission to set the URL Group properties. Only /// the application that created the URL Group can set the properties. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpSetUrlGroupProperty(ulong UrlGroupId, HTTP_SERVER_PROPERTY Property, void* PropertyInformation, uint PropertyInformationLength); ///The <b>HttpQueryUrlGroupProperty</b> function queries a property on the specified URL Group. ///Params: /// UrlGroupId = The ID of the URL Group for which the property setting is returned. /// Property = A member of the HTTP_SERVER_PROPERTY enumeration that describes the property type that is queried. This can be /// one of the following: <table> <tr> <th>Property</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HttpServerAuthenticationProperty"></a><a id="httpserverauthenticationproperty"></a><a /// id="HTTPSERVERAUTHENTICATIONPROPERTY"></a><dl> <dt><b>HttpServerAuthenticationProperty</b></dt> </dl> </td> <td /// width="60%"> Queries the enabled server-side authentication schemes. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerTimeoutsProperty"></a><a id="httpservertimeoutsproperty"></a><a /// id="HTTPSERVERTIMEOUTSPROPERTY"></a><dl> <dt><b>HttpServerTimeoutsProperty</b></dt> </dl> </td> <td width="60%"> /// Queries the URL Group connection timeout limits. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerStateProperty"></a><a id="httpserverstateproperty"></a><a id="HTTPSERVERSTATEPROPERTY"></a><dl> /// <dt><b>HttpServerStateProperty</b></dt> </dl> </td> <td width="60%"> Queries the current state of the URL Group. /// The state can be either enabled or disabled. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerQosProperty"></a><a id="httpserverqosproperty"></a><a id="HTTPSERVERQOSPROPERTY"></a><dl> /// <dt><b>HttpServerQosProperty</b></dt> </dl> </td> <td width="60%"> This value maps to the generic /// HTTP_QOS_SETTING_INFO structure with <b>QosType</b> set to either <b>HttpQosSettingTypeBandwidth</b> or /// <b>HttpQosSettingTypeConnectionLimit</b>. If <b>HttpQosSettingTypeBandwidth</b>, queries the bandwidth throttling /// for the URL Group. If <b>HttpQosSettingTypeConnectionLimit</b>, queries the maximum number of outstanding /// connections served for a URL group at any time. </td> </tr> <tr> <td width="40%"><a /// id="HttpServerChannelBindProperty"></a><a id="httpserverchannelbindproperty"></a><a /// id="HTTPSERVERCHANNELBINDPROPERTY"></a><dl> <dt><b>HttpServerChannelBindProperty</b></dt> </dl> </td> <td /// width="60%"> Queries the channel binding token (CBT) properties. </td> </tr> </table> /// PropertyInformation = A pointer to the buffer that receives the property information. <i>pPropertyInformation</i> points to one of the /// following property information structures based on the property that is queried.<table> <tr> <th>Property</th> /// <th>Structure</th> </tr> <tr> <td>HttpServerStateProperty</td> <td> HTTP_STATE_INFO </td> </tr> <tr> /// <td>HttpServerAuthenticationProperty</td> <td> HTTP_SERVER_AUTHENTICATION_INFO </td> </tr> <tr> /// <td>HttpServerQosProperty</td> <td> HTTP_QOS_SETTING_INFO </td> </tr> <tr> <td>HttpServerTimeoutsProperty</td> /// <td> HTTP_TIMEOUT_LIMIT_INFO </td> </tr> <tr> <td>HttpServerChannelBindProperty</td> <td> HTTP_CHANNEL_BIND_INFO /// </td> </tr> </table> /// PropertyInformationLength = The length, in bytes, of the buffer pointed to by the <i>pPropertyInformation</i> parameter. /// ReturnLength = The size, in bytes, returned in the <i>pPropertyInformation</i> buffer. If the output buffer is too small, the /// call fails with a return value of <b>ERROR_MORE_DATA</b>. The value pointed to by <i>pReturnLength</i> can be /// used to determine the minimum length of the buffer required for the call to succeed. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b>. If the function fails, it returns one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The property type specified in the /// <i>Property</i> parameter is not supported for URL Groups. The <i>UrlGroupId</i> parameter does not identify a /// valid server URL Group. The <i>pPropertyInformation</i> parameter is <b>NULL</b>. The /// <i>PropertyInformationLength</i> parameter is zero. The application does not have permission to query the URL /// Group properties. Only the application that created the URL Group can query the properties. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_MORE_DATA</b></dt> </dl> </td> <td width="60%"> The size, in bytes, of the buffer /// pointed to by the <i>pPropertyInformation</i> parameter is too small to receive the property information. Call /// the function again with a buffer at least as large as the size pointed to by <i>pReturnLength</i> on exit. </td> /// </tr> </table> /// @DllImport("HTTPAPI") uint HttpQueryUrlGroupProperty(ulong UrlGroupId, HTTP_SERVER_PROPERTY Property, void* PropertyInformation, uint PropertyInformationLength, uint* ReturnLength); ///The <b>HttpPrepareUrl</b> function parses, analyzes, and normalizes a non-normalized Unicode or punycode URL so it is ///safe and valid to use in other HTTP functions. ///Params: /// Reserved = Reserved. Must be <b>NULL</b>. /// Flags = Reserved. Must be zero. /// Url = A pointer to a string that represents the non-normalized Unicode or punycode URL to prepare. /// PreparedUrl = On successful output, a pointer to a string that represents the normalized URL. <div class="alert"><b>Note</b> /// Free <i>PreparedUrl</i> using HeapFree.</div> <div> </div> @DllImport("HTTPAPI") uint HttpPrepareUrl(void* Reserved, uint Flags, const(PWSTR) Url, PWSTR* PreparedUrl); ///The <b>HttpReceiveHttpRequest</b> function retrieves the next available HTTP request from the specified request queue ///either synchronously or asynchronously. ///Params: /// RequestQueueHandle = A handle to the request queue from which to retrieve the next available request. A request queue is created and /// its handle returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 and Windows /// XP with SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// RequestId = On the first call to retrieve a request, this parameter should be <b>HTTP_NULL_ID</b>. Then, if more than one /// call is required to retrieve the entire request, <b>HttpReceiveHttpRequest</b> or HttpReceiveRequestEntityBody /// can be called with <i>RequestID</i> set to the value returned in the <b>RequestId</b> member of the HTTP_REQUEST /// structure pointed to by <i>pRequestBuffer</i>. /// Flags = A parameter that can be one of the following values. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td /// width="40%"><a id="0__zero_"></a><a id="0__ZERO_"></a><dl> <dt><b>0 (zero)</b></dt> </dl> </td> <td width="60%"> /// Only the request headers are retrieved; the entity body is not copied. </td> </tr> <tr> <td width="40%"><a /// id="HTTP_RECEIVE_REQUEST_FLAG_COPY_BODY"></a><a id="http_receive_request_flag_copy_body"></a><dl> /// <dt><b>HTTP_RECEIVE_REQUEST_FLAG_COPY_BODY</b></dt> </dl> </td> <td width="60%"> The available entity body is /// copied along with the request headers. The <b>pEntityChunks</b> member of the HTTP_REQUEST structure points to /// the entity body. </td> </tr> <tr> <td width="40%"><a id="HTTP_RECEIVE_REQUEST_FLAG_FLUSH_BODY"></a><a /// id="http_receive_request_flag_flush_body"></a><dl> <dt><b>HTTP_RECEIVE_REQUEST_FLAG_FLUSH_BODY</b></dt> </dl> /// </td> <td width="60%"> All of the entity bodies are copied along with the request headers. The /// <b>pEntityChunks</b> member of the HTTP_REQUEST structure points to the entity body. </td> </tr> </table> /// RequestBuffer = A pointer to a buffer into which the function copies an HTTP_REQUEST structure and entity body for the HTTP /// request. <b>HTTP_REQUEST.RequestId</b> contains the identifier for this HTTP request, which the application can /// use in subsequent calls HttpReceiveRequestEntityBody, HttpSendHttpResponse, or HttpSendResponseEntityBody. /// RequestBufferLength = Size, in bytes, of the <i>pRequestBuffer</i> buffer. /// BytesReturned = Optional. A pointer to a variable that receives the size, in bytes, of the entity body, or of the remaining part /// of the entity body. When making an asynchronous call using <i>pOverlapped</i>, set <i>pBytesReceived</i> to /// <b>NULL</b>. Otherwise, when <i>pOverlapped</i> is set to <b>NULL</b>, <i>pBytesReceived</i> must contain a valid /// memory address, and not be set to <b>NULL</b>. /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure; for synchronous calls, set it /// to <b>NULL</b>. A synchronous call blocks until a request has arrived in the specified queue and some or all of /// it has been retrieved, whereas an asynchronous call immediately returns <b>ERROR_IO_PENDING</b> and the calling /// application then uses GetOverlappedResult or I/O completion ports to determine when the operation is completed. /// For more information about using OVERLAPPED structures for synchronization, see Synchronization and Overlapped /// Input and Output. ///Returns: /// If the function succeeds, the return value is <b>NO_ERROR</b>. If the function is being used asynchronously, a /// return value of <b>ERROR_IO_PENDING</b> indicates that the next request is not yet ready and will be retrieved /// later through normal overlapped I/O completion mechanisms. If the function fails, the return value is one of the /// following error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One or more of the supplied parameters is in /// an unusable form. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOACCESS</b></dt> </dl> </td> <td /// width="60%"> One or more of the supplied parameters points to an invalid or unaligned memory buffer. The /// <i>pRequestBuffer</i> parameter must point to a valid memory buffer with a memory alignment equal or greater to /// the memory alignment requirement for an <b>HTTP_REQUEST</b> structure. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_MORE_DATA</b></dt> </dl> </td> <td width="60%"> The value of <i>RequestBufferLength</i> is greater /// than or equal to the size of the request header received, but is not as large as the combined size of the request /// structure and entity body. The buffer size required to read the remaining part of the entity body is returned in /// the <i>pBytesReceived</i> parameter if this is non-<b>NULL</b> and if the call is synchronous. Call the function /// again with a large enough buffer to retrieve all data. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_HANDLE_EOF</b></dt> </dl> </td> <td width="60%"> The specified request has already been completely /// retrieved; in this case, the value pointed to by <i>pBytesReceived</i> is not meaningful, and /// <i>pRequestBuffer</i> should not be examined. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> /// </td> <td width="60%"> A system error code defined in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpReceiveHttpRequest(HANDLE RequestQueueHandle, ulong RequestId, uint Flags, HTTP_REQUEST_V2* RequestBuffer, uint RequestBufferLength, uint* BytesReturned, OVERLAPPED* Overlapped); ///The <b>HttpReceiveRequestEntityBody</b> function receives additional entity body data for a specified HTTP request. ///Params: /// RequestQueueHandle = The handle to the request queue from which to retrieve the specified entity body data. A request queue is created /// and its handle returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 and /// Windows XP with SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// RequestId = The identifier of the HTTP request that contains the retrieved entity body. This value is returned in the /// <b>RequestId</b> member of the HTTP_REQUEST structure by a call to the HttpReceiveHttpRequest function. This /// value cannot be <b>HTTP_NULL_ID</b>. /// Flags = This parameter can be the following flag value. <b>Windows Server 2003 with SP1 and Windows XP with SP2: </b>This /// parameter is reserved and must be zero. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td /// width="40%"><a id="HTTP_RECEIVE_REQUEST_ENTITY_BODY_FLAG_FILL_BUFFER"></a><a /// id="http_receive_request_entity_body_flag_fill_buffer"></a><dl> /// <dt><b>HTTP_RECEIVE_REQUEST_ENTITY_BODY_FLAG_FILL_BUFFER</b></dt> </dl> </td> <td width="60%"> Specifies that the /// buffer will be filled with one or more entity bodies, unless there are no remaining entity bodies to copy. </td> /// </tr> </table> /// EntityBuffer = A pointer to a buffer that receives entity-body data. /// EntityBufferLength = The size, in bytes, of the buffer pointed to by the <i>pBuffer</i> parameter. /// BytesReturned = Optional. A pointer to a variables that receives the size, in bytes, of the entity body data returned in the /// <i>pBuffer</i> buffer. When making an asynchronous call using <i>pOverlapped</i>, set <i>pBytesReceived</i> to /// <b>NULL</b>. Otherwise, when <i>pOverlapped</i> is set to <b>NULL</b>, <i>pBytesReceived</i> must contain a valid /// memory address, and not be set to <b>NULL</b>. /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure; for synchronous calls, set it /// to <b>NULL</b>. A synchronous call blocks until the entity-body data has been retrieved, whereas an asynchronous /// call immediately returns <b>ERROR_IO_PENDING</b> and the calling application then uses GetOverlappedResult or I/O /// completion ports to determine when the operation is completed. For more information about using OVERLAPPED /// structures for synchronization, see Synchronization and Overlapped Input and Output. ///Returns: /// If the function succeeds, the return value is <b>NO_ERROR</b>. If the function is used asynchronously, a return /// value of <b>ERROR_IO_PENDING</b> indicates that the next request is not yet ready and is retrieved later through /// normal overlapped I/O completion mechanisms. If the function fails, the return value is one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One or more of the supplied parameters are /// in an unusable form. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_HANDLE_EOF</b></dt> </dl> </td> <td /// width="60%"> The specified entity body has already been completely retrieved; in this case, the value pointed to /// by <i>pBytesReceived</i> is not meaningful, and <i>pBuffer</i> should not be examined. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_DLL_INIT_FAILED</b></dt> </dl> </td> <td width="60%"> The calling application did /// not call HttpInitialize before calling this function. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A system error code defined in WinError.h. </td> </tr> /// </table> /// @DllImport("HTTPAPI") uint HttpReceiveRequestEntityBody(HANDLE RequestQueueHandle, ulong RequestId, uint Flags, void* EntityBuffer, uint EntityBufferLength, uint* BytesReturned, OVERLAPPED* Overlapped); ///The <b>HttpSendHttpResponse</b> function sends an HTTP response to the specified HTTP request. ///Params: /// RequestQueueHandle = A handle to the request queue from which the specified request was retrieved. A request queue is created and its /// handle returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 and Windows XP /// with SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// RequestId = An identifier of the HTTP request to which this response corresponds. This value is returned in the /// <b>RequestId</b> member of the HTTP_REQUEST structure by a call to the HttpReceiveHttpRequest function. This /// value cannot be <b>HTTP_NULL_ID</b>. /// Flags = This parameter can be a combination of some of the following flag values. Those that are mutually exclusive are /// marked accordingly. <table> <tr> <th>Flags</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HTTP_SEND_RESPONSE_FLAG_DISCONNECT"></a><a id="http_send_response_flag_disconnect"></a><dl> /// <dt><b>HTTP_SEND_RESPONSE_FLAG_DISCONNECT</b></dt> </dl> </td> <td width="60%"> The network connection should be /// disconnected after sending this response, overriding any persistent connection features associated with the /// version of HTTP in use.<div class="alert"><b>Caution</b> Combining <b>HTTP_SEND_RESPONSE_FLAG_DISCONNECT</b> and /// <b>HTTP_SEND_RESPONSE_FLAG_MORE_DATA</b> in a single call to the <b>HttpSendHttpResponse</b> function produces /// undefined results.</div> <div> </div> </td> </tr> <tr> <td width="40%"><a /// id="HTTP_SEND_RESPONSE_FLAG_MORE_DATA"></a><a id="http_send_response_flag_more_data"></a><dl> /// <dt><b>HTTP_SEND_RESPONSE_FLAG_MORE_DATA</b></dt> </dl> </td> <td width="60%"> Additional entity body data for /// this response is sent by the application through one or more subsequent calls to HttpSendResponseEntityBody. The /// last call sending entity-body data then sets this flag to zero. <div class="alert"><b>Caution</b> Combining /// <b>HTTP_SEND_RESPONSE_FLAG_DISCONNECT</b> and <b>HTTP_SEND_RESPONSE_FLAG_MORE_DATA</b> in a single call to the /// <b>HttpSendHttpResponse</b> function produces undefined results.</div> <div> </div> </td> </tr> <tr> <td /// width="40%"><a id="HTTP_SEND_RESPONSE_FLAG_BUFFER_DATA"></a><a id="http_send_response_flag_buffer_data"></a><dl> /// <dt><b>HTTP_SEND_RESPONSE_FLAG_BUFFER_DATA</b></dt> </dl> </td> <td width="60%"> This flag enables buffering of /// data in the kernel on a per-response basis. It should be used by an application doing synchronous I/O or by an /// application doing asynchronous I/O with no more than one outstanding send at a time. Applications that use /// asynchronous I/O and that may have more than one send outstanding at a time should not use this flag. When this /// flag is set, it should also be used consistently in calls to the HttpSendResponseEntityBody function. <b>Windows /// Server 2003: </b>This flag is not supported. This flag is new for Windows Server 2003 with SP1. </td> </tr> <tr> /// <td width="40%"><a id="HTTP_SEND_RESPONSE_FLAG_ENABLE_NAGLING"></a><a /// id="http_send_response_flag_enable_nagling"></a><dl> <dt><b>HTTP_SEND_RESPONSE_FLAG_ENABLE_NAGLING</b></dt> </dl> /// </td> <td width="60%"> Enables the TCP nagling algorithm for this send only. <b>Windows Server 2003 with SP1 and /// Windows XP with SP2: </b>This flag is not supported. </td> </tr> <tr> <td width="40%"><a /// id="HTTP_SEND_RESPONSE_FLAG_PROCESS_RANGES"></a><a id="http_send_response_flag_process_ranges"></a><dl> /// <dt><b>HTTP_SEND_RESPONSE_FLAG_PROCESS_RANGES</b></dt> </dl> </td> <td width="60%"> Specifies that for a range /// request, the full response content is passed and the caller wants the HTTP API to process ranges appropriately. /// <div class="alert"><b>Note</b> This flag is only supported for responses to HTTP <i>GET</i> requests and offers a /// limited subset of functionality. Applications that require full range processing should perform it in user mode /// and not rely on HTTP.sys. It's usage is discouraged.</div> <div> </div> Windows Server 2008 R2 and Windows 7 or /// later. <b>Note</b> This flag is supported. </td> </tr> <tr> <td width="40%"><a /// id="HTTP_SEND_RESPONSE_FLAG_OPAQUE"></a><a id="http_send_response_flag_opaque"></a><dl> /// <dt><b>HTTP_SEND_RESPONSE_FLAG_OPAQUE</b></dt> </dl> </td> <td width="60%"> Specifies that the request/response /// is not HTTP compliant and all subsequent bytes should be treated as entity-body. Applications specify this flag /// when it is accepting a Web Socket upgrade request and informing HTTP.sys to treat the connection data as opaque /// data. This flag is only allowed when the <b>StatusCode</b> member of <i>pHttpResponse</i> is <b>101</b>, /// switching protocols. <b>HttpSendHttpResponse</b> returns <b>ERROR_INVALID_PARAMETER</b> for all other HTTP /// response types if this flag is used. <b>Windows 8 and later: </b>This flag is supported. </td> </tr> </table> /// HttpResponse = A pointer to an HTTP_RESPONSE structure that defines the HTTP response. /// CachePolicy = A pointer to the HTTP_CACHE_POLICY structure used to cache the response. <b>Windows Server 2003 with SP1 and /// Windows XP with SP2: </b>This parameter is reserved and must be <b>NULL</b>. /// BytesSent = Optional. A pointer to a variable that receives the number, in bytes, sent if the function operates /// synchronously. When making an asynchronous call using <i>pOverlapped</i>, set <i>pBytesSent</i> to <b>NULL</b>. /// Otherwise, when <i>pOverlapped</i> is set to <b>NULL</b>, <i>pBytesSent</i> must contain a valid memory address /// and not be set to <b>NULL</b>. /// Reserved1 = This parameter is reserved and must be <b>NULL</b>. /// Reserved2 = This parameter is reserved and must be zero. /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure; for synchronous calls, set to /// <b>NULL</b>. A synchronous call blocks until all response data specified in the <i>pHttpResponse</i> parameter is /// sent, whereas an asynchronous call immediately returns <b>ERROR_IO_PENDING</b> and the calling application then /// uses GetOverlappedResult or I/O completion ports to determine when the operation is completed. For more /// information about using OVERLAPPED structures for synchronization, see Synchronization and Overlapped Input and /// Output. /// LogData = A pointer to the HTTP_LOG_DATA structure used to log the response. Pass a pointer to the HTTP_LOG_FIELDS_DATA /// structure and cast it to <b>PHTTP_LOG_DATA</b>. Be aware that even when logging is enabled on a URL Group, or /// server session, the response will not be logged unless the application supplies the log fields data structure. /// <b>Windows Server 2003 and Windows XP with SP2: </b>This parameter is reserved and must be <b>NULL</b>. /// <b>Windows Vista and Windows Server 2008: </b>This parameter is new for Windows Vista, and Windows Server 2008 ///Returns: /// If the function succeeds, the function returns <b>NO_ERROR</b>. If the function is used asynchronously, a return /// value of <b>ERROR_IO_PENDING</b> indicates that the next request is not yet ready and is retrieved later through /// normal overlapped I/O completion mechanisms. If the function fails, it returns one of the following error codes. /// <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One or more of the supplied parameters is in /// an unusable form. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A /// system error code defined in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpSendHttpResponse(HANDLE RequestQueueHandle, ulong RequestId, uint Flags, HTTP_RESPONSE_V2* HttpResponse, HTTP_CACHE_POLICY* CachePolicy, uint* BytesSent, void* Reserved1, uint Reserved2, OVERLAPPED* Overlapped, HTTP_LOG_DATA* LogData); ///The <b>HttpSendResponseEntityBody</b> function sends entity-body data associated with an HTTP response. ///Params: /// RequestQueueHandle = A handle to the request queue from which the specified request was retrieved. A request queue is created and its /// handle returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 and Windows XP /// with SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// RequestId = An identifier of the HTTP request to which this response corresponds. This value is returned in the /// <b>RequestId</b> member of the HTTP_REQUEST structure by a call to the HttpReceiveHttpRequest function. It cannot /// be <b>HTTP_NULL_ID</b>. /// Flags = A parameter that can include one of the following mutually exclusive flag values. <table> <tr> <th>Flags</th> /// <th>Meaning</th> </tr> <tr> <td width="40%"><a id="HTTP_SEND_RESPONSE_FLAG_DISCONNECT"></a><a /// id="http_send_response_flag_disconnect"></a><dl> <dt><b>HTTP_SEND_RESPONSE_FLAG_DISCONNECT</b></dt> </dl> </td> /// <td width="60%"> The network connection should be disconnected after sending this response, overriding any /// persistent connection features associated with the version of HTTP in use. Applications should use this flag to /// indicate the end of the entity in cases where neither content length nor chunked encoding is used. </td> </tr> /// <tr> <td width="40%"><a id="HTTP_SEND_RESPONSE_FLAG_MORE_DATA"></a><a /// id="http_send_response_flag_more_data"></a><dl> <dt><b>HTTP_SEND_RESPONSE_FLAG_MORE_DATA</b></dt> </dl> </td> <td /// width="60%"> Additional entity body data for this response is sent by the application through one or more /// subsequent calls to <b>HttpSendResponseEntityBody</b>. The last call then sets this flag to zero. </td> </tr> /// <tr> <td width="40%"><a id="HTTP_SEND_RESPONSE_FLAG_BUFFER_DATA"></a><a /// id="http_send_response_flag_buffer_data"></a><dl> <dt><b>HTTP_SEND_RESPONSE_FLAG_BUFFER_DATA</b></dt> </dl> </td> /// <td width="60%"> This flag enables buffering of data in the kernel on a per-response basis. It should be used by /// an application doing synchronous I/O, or by a an application doing asynchronous I/O with no more than one send /// outstanding at a time. Applications using asynchronous I/O which may have more than one send outstanding at a /// time should not use this flag. When this flag is set, it should be used consistently in calls to the /// HttpSendHttpResponse function as well. <b>Windows Server 2003: </b>This flag is not supported. This flag is new /// for Windows Server 2003 with SP1. </td> </tr> <tr> <td width="40%"><a /// id="HTTP_SEND_RESPONSE_FLAG_ENABLE_NAGLING"></a><a id="http_send_response_flag_enable_nagling"></a><dl> /// <dt><b>HTTP_SEND_RESPONSE_FLAG_ENABLE_NAGLING</b></dt> </dl> </td> <td width="60%"> Enables the TCP nagling /// algorithm for this send only. <b>Windows Vista and later: </b>This flag is not supported. </td> </tr> <tr> <td /// width="40%"><a id="HTTP_SEND_RESPONSE_FLAG_PROCESS_RANGES"></a><a /// id="http_send_response_flag_process_ranges"></a><dl> <dt><b>HTTP_SEND_RESPONSE_FLAG_PROCESS_RANGES</b></dt> </dl> /// </td> <td width="60%"> Specifies that for a range request, the full response content is passed and the caller /// wants the HTTP API to process ranges appropriately. <div class="alert"><b>Note</b> This flag is only supported /// for responses to HTTP <i>GET</i> requests and offers a limited subset of functionality. Applications that require /// full range processing should perform it in user mode and not rely on HTTP.sys. It's usage is discouraged.</div> /// <div> </div> Windows Server 2008 R2 and Windows 7 or later. <b>Note</b> This flag is supported. </td> </tr> <tr> /// <td width="40%"><a id="HTTP_SEND_RESPONSE_FLAG_OPAQUE"></a><a id="http_send_response_flag_opaque"></a><dl> /// <dt><b>HTTP_SEND_RESPONSE_FLAG_OPAQUE</b></dt> </dl> </td> <td width="60%"> Specifies that the request/response /// is not HTTP compliant and all subsequent bytes should be treated as entity-body. Applications specify this flag /// when it is accepting a Web Socket upgrade request and informing HTTP.sys to treat the connection data as opaque /// data. This flag is only allowed when the <b>StatusCode</b> member of <i>pHttpResponse</i> is <b>101</b>, /// switching protocols. <b>HttpSendResponseEntityBody</b> returns <b>ERROR_INVALID_PARAMETER</b> for all other HTTP /// response types if this flag is used. <b>Windows 8 and later: </b>This flag is supported. </td> </tr> </table> /// <div class="alert"><b>Caution</b> Combining both flags in a single call to the HttpSendHttpResponse function /// produces undefined results.</div> <div> </div> /// EntityChunkCount = A number of structures in the array pointed to by <i>pEntityChunks</i>. This count cannot exceed 9999. /// EntityChunks = A pointer to an array of HTTP_DATA_CHUNK structures to be sent as entity-body data. /// BytesSent = Optional. A pointer to a variable that receives the number, in bytes, sent if the function operates /// synchronously. When making an asynchronous call using <i>pOverlapped</i>, set <i>pBytesSent</i> to <b>NULL</b>. /// Otherwise, when <i>pOverlapped</i> is set to <b>NULL</b>, <i>pBytesSent</i> must contain a valid memory address, /// and not be set to <b>NULL</b>. /// Reserved1 = This parameter is reserved and must be <b>NULL</b>. /// Reserved2 = This parameter is reserved and must be zero. /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure; for synchronous calls, set it /// to <b>NULL</b>. A synchronous call blocks until all response data specified in the <i>pEntityChunks</i> parameter /// is sent, whereas an asynchronous call immediately returns <b>ERROR_IO_PENDING</b> and the calling application /// then uses GetOverlappedResult or I/O completion ports to determine when the operation is completed. For more /// information about using OVERLAPPED structures for synchronization, see Synchronization and Overlapped Input and /// Output. /// LogData = A pointer to the HTTP_LOG_DATA structure used to log the response. Pass a pointer to the HTTP_LOG_FIELDS_DATA /// structure and cast it to <b>PHTTP_LOG_DATA</b>. Be aware that even when logging is enabled on a URL Group, or /// server session, the response will not be logged unless the application supplies the log fields data structure. /// <b>Windows Server 2003 and Windows XP with SP2: </b>This parameter is reserved and must be <b>NULL</b>. /// <b>Windows Vista and Windows Server 2008: </b>This parameter is new for Windows Vista, and Windows Server 2008 ///Returns: /// If the function succeeds, the return value is <b>NO_ERROR</b>. If the function is used asynchronously, a return /// value of <b>ERROR_IO_PENDING</b> indicates that the next request is not yet ready and is retrieved later through /// normal overlapped I/O completion mechanisms. If the function fails, the return value is one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One or more of the supplied parameters is in /// an unusable form. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_BAD_COMMAND</b></dt> </dl> </td> <td /// width="60%"> There is a call pending to HttpSendHttpResponse or HttpSendResponseEntityBody having the same /// <b>RequestId</b>. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A /// system error code defined in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpSendResponseEntityBody(HANDLE RequestQueueHandle, ulong RequestId, uint Flags, ushort EntityChunkCount, HTTP_DATA_CHUNK* EntityChunks, uint* BytesSent, void* Reserved1, uint Reserved2, OVERLAPPED* Overlapped, HTTP_LOG_DATA* LogData); ///Declares a resource-to-subresource relationship to use for an HTTP server push. HTTP.sys then performs an HTTP 2.0 ///server push for the given resource, if the underlying protocol, connection, client, and policies allow the push ///operation. ///Params: /// RequestQueueHandle = The handle to an HTTP.sys request queue that the HttpCreateRequestQueue function returned. /// RequestId = The opaque identifier of the request that is declaring the push operation. The request must be from the specified /// queue handle. /// Verb = The HTTP verb to use for the push operation. The HTTP.sys push operation only supports <b>HttpVerbGET</b> and /// <b>HttpVerbHEAD</b>. /// Path = The path portion of the URL for the resource being pushed. /// Query = The query portion of the URL for the resource being pushed. This string should not include the leading question /// mark (?). /// Headers = The request headers for the push operation. You should not provide a Host header, because HTTP.sys automatically /// generates the correct Host information. HTTP.sys does not support cross-origin push operations, so HTTP.sys /// enforces and generates Host information that matches the original client-initiated request. The push request is /// not allowed to have an entity body, so you cannot include a non-zero Content-Length header or any /// Transfer-Encoding header. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b>. If the function fails, it returns a system error code /// defined in WinError.h. /// @DllImport("HTTPAPI") uint HttpDeclarePush(HANDLE RequestQueueHandle, ulong RequestId, HTTP_VERB Verb, const(PWSTR) Path, const(PSTR) Query, HTTP_REQUEST_HEADERS* Headers); ///The <b>HttpWaitForDisconnect</b> function notifies the application when the connection to an HTTP client is broken ///for any reason. ///Params: /// RequestQueueHandle = A handle to the request queue that handles requests from the specified connection. A request queue is created and /// its handle returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 and Windows /// XP with SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// ConnectionId = Identifier for the connection to the client computer. This value is returned in the <b>ConnectionID</b> member of /// the HTTP_REQUEST structure by a call to the HttpReceiveHttpRequest function. /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure; for synchronous calls, set it /// to <b>NULL</b>. A synchronous call blocks until the connection is broken, whereas an asynchronous call /// immediately returns ERROR_IO_PENDING and the calling application then uses GetOverlappedResult or I/O completion /// ports to determine when the operation is completed. For information about using OVERLAPPED structures for /// synchronization, see Synchronization and Overlapped Input and Output. ///Returns: /// If the function succeeds, the return value is NO_ERROR. If the function is used asynchronously, a return value of /// ERROR_IO_PENDING indicates that the next request is not yet ready and is retrieved later through normal /// overlapped I/O completion mechanisms. If the function fails, the return value is one of the following error /// codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One or more of the supplied parameters is in /// an unusable form. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A /// system error code defined in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpWaitForDisconnect(HANDLE RequestQueueHandle, ulong ConnectionId, OVERLAPPED* Overlapped); ///This function is an extension to HttpWaitForDisconnect.<div class="alert"><b>Note</b> Calling this API directly in ///your code is not recommended. Call HttpWaitForDisconnect instead.</div> <div> </div> ///Params: /// RequestQueueHandle = /// ConnectionId = /// Reserved = /// Overlapped = @DllImport("HTTPAPI") uint HttpWaitForDisconnectEx(HANDLE RequestQueueHandle, ulong ConnectionId, uint Reserved, OVERLAPPED* Overlapped); ///The <b>HttpCancelHttpRequest</b> function cancels a specified request. ///Params: /// RequestQueueHandle = A handle to the request queue from which the request came. /// RequestId = The ID of the request to be canceled. /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure; for synchronous calls, set it /// to <b>NULL</b>. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b>. /// @DllImport("HTTPAPI") uint HttpCancelHttpRequest(HANDLE RequestQueueHandle, ulong RequestId, OVERLAPPED* Overlapped); ///The <b>HttpWaitForDemandStart</b> function waits for the arrival of a new request that can be served by a new request ///queue process. ///Params: /// RequestQueueHandle = A handle to the request queue on which demand start is registered. A request queue is created and its handle /// returned by a call to the HttpCreateRequestQueue function. /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure; for synchronous calls, set it /// to <b>NULL</b>. A synchronous call blocks until a request has arrived in the specified queue, whereas an /// asynchronous call immediately returns <b>ERROR_IO_PENDING</b> and the calling application then uses /// GetOverlappedResult or I/O completion ports to determine when the operation is completed. For more information /// about using OVERLAPPED structures for synchronization, see Synchronization and Overlapped Input and Output. ///Returns: /// If the function succeeds, it returns <b>NO_ERROR</b>. If the function fails, it returns one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The <i>ReqQueueHandle</i> parameter does not /// contain a valid request queue. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_ID_AUTHORITY</b></dt> /// </dl> </td> <td width="60%"> The calling process is not the controller process for this request queue. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_HANDLE</b></dt> </dl> </td> <td width="60%"> The calling /// process has already initiated a shutdown on the request queue or has closed the request queue handle. </td> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_ALREADY_EXISTS</b></dt> </dl> </td> <td width="60%"> A demand start /// registration already exists for the request queue. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpWaitForDemandStart(HANDLE RequestQueueHandle, OVERLAPPED* Overlapped); ///The <b>HttpFlushResponseCache</b> function removes from the HTTP Server API cache associated with a given request ///queue all response fragments that have a name whose site portion matches a specified UrlPrefix. The application must ///previously have called HttpAddUrl, or HttpAddUrlToUrlGroup to add this UrlPrefix or a valid prefix of it to the ///request queue in question, and then called HttpAddFragmentToCache to cache the associated response fragment or ///fragments. ///Params: /// RequestQueueHandle = Handle to the request queue with which this cache is associated. A request queue is created and its handle /// returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 and Windows XP with /// SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// UrlPrefix = Pointer to a UrlPrefix string to match against the site portion of fragment names. The application must /// previously have called HttpAddUrl to add this UrlPrefix or a valid prefix of it to the request queue in question, /// and then called HttpAddFragmentToCache to cache the associated response fragment. /// Flags = This parameter can contain the following flag: /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure, or for synchronous calls, set /// it to <b>NULL</b>. A synchronous call blocks until the cache operation is complete, whereas an asynchronous call /// immediately returns ERROR_IO_PENDING and the calling application then uses GetOverlappedResult or I/O completion /// ports to determine when the operation is completed. For more information about using OVERLAPPED structures for /// synchronization, see Synchronization and Overlapped Input and Output. ///Returns: /// If the function succeeds, the return value is NO_ERROR. If the function is used asynchronously, a return value of /// ERROR_IO_PENDING indicates that the cache request is queued and completes later through normal overlapped I/O /// completion mechanisms. If the function fails, the return value is one of the following error codes. <table> <tr> /// <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> /// </td> <td width="60%"> One of the parameters are invalid. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A system error code defined in WinError.h. </td> </tr> /// </table> /// @DllImport("HTTPAPI") uint HttpFlushResponseCache(HANDLE RequestQueueHandle, const(PWSTR) UrlPrefix, uint Flags, OVERLAPPED* Overlapped); ///The <b>HttpAddFragmentToCache</b> function caches a data fragment with a specified name by which it can be retrieved, ///or updates data cached under a specified name. Such cached data fragments can be used repeatedly to construct dynamic ///responses without the expense of disk reads. For example, a response composed of text and three images could be ///assembled dynamically from four or more cached fragments at the time a request is processed. ///Params: /// RequestQueueHandle = Handle to the request queue with which this cache is associated. A request queue is created and its handle /// returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 and Windows XP with /// SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// UrlPrefix = Pointer to a UrlPrefix string that the application uses in subsequent calls to HttpSendHttpResponse to identify /// this cache entry. The application must have called <b>HttpAddUrl</b> previously with the same handle as in the /// <i>ReqQueueHandle</i> parameter, and with either this identical UrlPrefix string or a valid prefix of it. Like /// any UrlPrefix, this string must take the form "scheme://host:port/relativeURI"; for example, /// http://www.mysite.com:80/image1.gif. /// DataChunk = Pointer to an HTTP_DATA_CHUNK structure that specifies an entity body data block to cache under the name pointed /// to by <i>pUrlPrefix</i>. /// CachePolicy = Pointer to an HTTP_CACHE_POLICY structure that specifies how this data fragment should be cached. /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure, or for synchronous calls, set /// it to <b>NULL</b>. A synchronous call blocks the calling thread until the cache operation is complete, whereas an /// asynchronous call immediately returns ERROR_IO_PENDING and the calling application then uses GetOverlappedResult /// or I/O completion ports to determine when the operation is completed. For more information about using OVERLAPPED /// structures for synchronization, see Synchronization and Overlapped Input and Output. ///Returns: /// If the function succeeds, the return value is NO_ERROR. If the function is used asynchronously, a return value of /// ERROR_IO_PENDING indicates that the cache request is queued and will complete later through normal overlapped I/O /// completion mechanisms. If the function fails, the return value is one of the following error codes. <table> <tr> /// <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> /// </td> <td width="60%"> One or more of the supplied parameters is in an unusable form. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A system error code defined in WinError.h. /// </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpAddFragmentToCache(HANDLE RequestQueueHandle, const(PWSTR) UrlPrefix, HTTP_DATA_CHUNK* DataChunk, HTTP_CACHE_POLICY* CachePolicy, OVERLAPPED* Overlapped); ///The <b>HttpReadFragmentFromCache</b> function retrieves a response fragment having a specified name from the HTTP ///Server API cache. ///Params: /// RequestQueueHandle = Handle to the request queue with which the specified response fragment is associated. A request queue is created /// and its handle returned by a call to the HttpCreateRequestQueue function. <b>Windows Server 2003 with SP1 and /// Windows XP with SP2: </b>The handle to the request queue is created by the HttpCreateHttpHandle function. /// UrlPrefix = Pointer to a UrlPrefix string that contains the name of the fragment to be retrieved. This must match a UrlPrefix /// string used in a previous successful call to HttpAddFragmentToCache. /// ByteRange = Optional pointer to an HTTP_BYTE_RANGE structure that indicates a starting offset in the specified fragment and /// byte-count to be returned. <b>NULL</b> if not used, in which case the entire fragment is returned. /// Buffer = Pointer to a buffer into which the function copies the requested fragment. /// BufferLength = Size, in bytes, of the <i>pBuffer</i> buffer. /// BytesRead = Optional pointer to a variable that receives the number of bytes to be written into the output buffer. If /// <i>BufferLength</i> is less than this number, the call fails with a return of ERROR_INSUFFICIENT_BUFFER, and the /// value pointed to by <i>pBytesRead</i> can be used to determine the minimum length of buffer required for the call /// to succeed. When making an asynchronous call using <i>pOverlapped</i>, set <i>pBytesRead</i> to <b>NULL</b>. /// Otherwise, when <i>pOverlapped</i> is set to <b>NULL</b>, <i>pBytesRead</i> must contain a valid memory address, /// and not be set to <b>NULL</b>. /// Overlapped = For asynchronous calls, set <i>pOverlapped</i> to point to an OVERLAPPED structure, or for synchronous calls, set /// it to <b>NULL</b>. A synchronous call blocks until the cache operation is complete, whereas an asynchronous call /// immediately returns ERROR_IO_PENDING and the calling application then uses GetOverlappedResult or I/O completion /// ports to determine when the operation is completed. For more information about using OVERLAPPED structures for /// synchronization, see Synchronization and Overlapped Input and Output. ///Returns: /// If the function succeeds, the return value is NO_ERROR. If the function is used asynchronously, a return value of /// ERROR_IO_PENDING indicates that the cache request is queued and completes later through normal overlapped I/O /// completion mechanisms. If the function fails, the return value is one of the following error codes. <table> <tr> /// <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> /// </td> <td width="60%"> One or more of the supplied parameters is in an unusable form. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_MORE_DATA</b></dt> </dl> </td> <td width="60%"> The buffer pointed to by /// <i>pBuffer</i> is too small to receive all the requested data; the size of buffer required is pointed to by /// <i>pBytesRead</i> unless it was <b>NULL</b> or the call was asynchronous. In the case of an asynchronous call, /// the value pointed to by the <i>lpNumberOfBytesTransferred</i> parameter of the GetOverLappedResult function is /// set to the buffer size required. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td /// width="60%"> A system error code defined in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpReadFragmentFromCache(HANDLE RequestQueueHandle, const(PWSTR) UrlPrefix, HTTP_BYTE_RANGE* ByteRange, void* Buffer, uint BufferLength, uint* BytesRead, OVERLAPPED* Overlapped); ///The <b>HttpSetServiceConfiguration</b> function creates and sets a configuration record for the HTTP Server API ///configuration store. The call fails if the specified record already exists. To change a given configuration record, ///delete it and then recreate it with a different value. ///Params: /// ServiceHandle = Reserved. Must be zero. /// ConfigId = Type of configuration record to be set. This parameter can be one of the following values from the /// HTTP_SERVICE_CONFIG_ID enumeration. <table> <tr> <th><i>ConfigId</i> value</th> <th>Meaning</th> </tr> <tr> <td /// width="40%"><a id="HttpServiceConfigIPListenList"></a><a id="httpserviceconfigiplistenlist"></a><a /// id="HTTPSERVICECONFIGIPLISTENLIST"></a><dl> <dt><b>HttpServiceConfigIPListenList</b></dt> </dl> </td> <td /// width="60%"> Sets a record in the IP Listen List. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSSLCertInfo"></a><a id="httpserviceconfigsslcertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCERTINFO"></a><dl> <dt><b>HttpServiceConfigSSLCertInfo</b></dt> </dl> </td> <td /// width="60%"> Sets a specified SSL certificate record. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigUrlAclInfo"></a><a id="httpserviceconfigurlaclinfo"></a><a /// id="HTTPSERVICECONFIGURLACLINFO"></a><dl> <dt><b>HttpServiceConfigUrlAclInfo</b></dt> </dl> </td> <td /// width="60%"> Sets a URL reservation record. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigTimeout"></a><a id="httpserviceconfigtimeout"></a><a id="HTTPSERVICECONFIGTIMEOUT"></a><dl> /// <dt><b>HttpServiceConfigTimeout</b></dt> </dl> </td> <td width="60%"> Sets a specified HTTP Server API wide /// connection time-out. <b>Windows Vista and later: </b>This enumeration value is supported. </td> </tr> <tr> <td /// width="40%"><a id="HttpServiceConfigSslSniCertInfo"></a><a id="httpserviceconfigsslsnicertinfo"></a><a /// id="HTTPSERVICECONFIGSSLSNICERTINFO"></a><dl> <dt><b>HttpServiceConfigSslSniCertInfo</b></dt> </dl> </td> <td /// width="60%"> Sets a specified SSL Server Name Indication (SNI) certificate record. <b>Windows 8 and later: /// </b>This enumeration value is supported. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSslCcsCertInfo"></a><a id="httpserviceconfigsslccscertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCCSCERTINFO"></a><dl> <dt><b><b>HttpServiceConfigSslCcsCertInfo</b></b></dt> </dl> </td> /// <td width="60%"> Sets the SSL certificate record that specifies that Http.sys should consult the Centralized /// Certificate Store (CCS) store to find certificates if the port receives a Transport Layer Security (TLS) /// handshake. The port is specified by the <b>KeyDesc</b> member of the HTTP_SERVICE_CONFIG_SSL_CCS_SET structure /// that you pass to the <i>pConfigInformation</i> parameter. <b>Windows 8 and later: </b>This enumeration value is /// supported. </td> </tr> </table> /// pConfigInformation = A pointer to a buffer that contains the appropriate data to specify the type of record to be set. <table> <tr> /// <th><i>ConfigId</i> value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigIPListenList"></a><a id="httpserviceconfigiplistenlist"></a><a /// id="HTTPSERVICECONFIGIPLISTENLIST"></a><dl> <dt><b>HttpServiceConfigIPListenList</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_IP_LISTEN_PARAM structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSSLCertInfo"></a><a id="httpserviceconfigsslcertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCERTINFO"></a><dl> <dt><b>HttpServiceConfigSSLCertInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_SSL_SET structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigUrlAclInfo"></a><a id="httpserviceconfigurlaclinfo"></a><a /// id="HTTPSERVICECONFIGURLACLINFO"></a><dl> <dt><b>HttpServiceConfigUrlAclInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_URLACL_SET structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigTimeout"></a><a id="httpserviceconfigtimeout"></a><a id="HTTPSERVICECONFIGTIMEOUT"></a><dl> /// <dt><b>HttpServiceConfigTimeout</b></dt> </dl> </td> <td width="60%"> HTTP_SERVICE_CONFIG_TIMEOUT_SET structure. /// <b>Windows Vista and later: </b>This structure is supported. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSslSniCertInfo"></a><a id="httpserviceconfigsslsnicertinfo"></a><a /// id="HTTPSERVICECONFIGSSLSNICERTINFO"></a><dl> <dt><b>HttpServiceConfigSslSniCertInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_SSL_SNI_SET structure. The hostname will be "*" when the SSL central certificate /// store is queried and wildcard bindings are used, and a host name for regular SNI. <b>Windows 8 and later: /// </b>This structure is supported. </td> </tr> <tr> <td width="40%"><a id="HttpServiceConfigSslCcsCertInfo"></a><a /// id="httpserviceconfigsslccscertinfo"></a><a id="HTTPSERVICECONFIGSSLCCSCERTINFO"></a><dl> /// <dt><b><b>HttpServiceConfigSslCcsCertInfo</b></b></dt> </dl> </td> <td width="60%"> /// HTTP_SERVICE_CONFIG_SSL_CCS_SET structure. <b>Windows 8 and later: </b>This structure is supported. </td> </tr> /// </table> /// ConfigInformationLength = Size, in bytes, of the <i>pConfigInformation</i> buffer. /// pOverlapped = This parameter is reserved and must be <b>NULL</b>. ///Returns: /// If the function succeeds, the return value is <b>NO_ERROR</b>. If the function fails, the return value is one of /// the following error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_ALREADY_EXISTS</b></dt> </dl> </td> <td width="60%"> The specified record already exists, and must /// be deleted in order for its value to be re-set. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INSUFFICIENT_BUFFER</b></dt> </dl> </td> <td width="60%"> The buffer size specified in the /// <i>ConfigInformationLength</i> parameter is insufficient. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_HANDLE</b></dt> </dl> </td> <td width="60%"> The <i>ServiceHandle</i> parameter is invalid. /// </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One /// or more of the supplied parameters is in an unusable form. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NO_SUCH_LOGON_SESSION</b></dt> </dl> </td> <td width="60%"> The SSL Certificate used is invalid. /// This can occur only if the <i>HttpServiceConfigSSLCertInfo</i> parameter is used. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A system error code defined in WinError.h. /// </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpSetServiceConfiguration(HANDLE ServiceHandle, HTTP_SERVICE_CONFIG_ID ConfigId, void* pConfigInformation, uint ConfigInformationLength, OVERLAPPED* pOverlapped); ///Updates atomically a service configuration parameter that specifies a Transport Layer Security (TLS) certificate in a ///configuration record within the HTTP Server API configuration store. ///Params: /// Handle = Reserved and must be <b>NULL</b>. /// ConfigId = The type of configuration record to update. This parameter can be one of the following values from the /// HTTP_SERVICE_CONFIG_ID enumeration. <table> <tr> <th><i>ConfigId</i> value</th> <th>Meaning</th> </tr> <tr> <td /// width="40%"><a id="HttpServiceConfigSSLCertInfo"></a><a id="httpserviceconfigsslcertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCERTINFO"></a><dl> <dt><b>HttpServiceConfigSSLCertInfo</b></dt> </dl> </td> <td /// width="60%"> Updates a specified SSL certificate record. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSslSniCertInfo"></a><a id="httpserviceconfigsslsnicertinfo"></a><a /// id="HTTPSERVICECONFIGSSLSNICERTINFO"></a><dl> <dt><b>HttpServiceConfigSslSniCertInfo</b></dt> </dl> </td> <td /// width="60%"> Updates a specified SSL Server Name Indication (SNI) certificate record. </td> </tr> <tr> <td /// width="40%"><a id="HttpServiceConfigSslCcsCertInfo"></a><a id="httpserviceconfigsslccscertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCCSCERTINFO"></a><dl> <dt><b>HttpServiceConfigSslCcsCertInfo</b></dt> </dl> </td> <td /// width="60%"> Updates the SSL certificate record that specifies that Http.sys should consult the Centralized /// Certificate Store (CCS) store to find certificates if the port receives a TLS handshake. The port is specified by /// the <b>KeyDesc</b> member of the HTTP_SERVICE_CONFIG_SSL_CCS_SET structure that you pass to the /// <i>pConfigInfo</i> parameter. </td> </tr> </table> /// ConfigInfo = A pointer to a buffer that contains the appropriate data to specify the type of record to update. The following /// table shows the type of data the buffer contains for the different possible values of the <i>ConfigId</i> /// parameter. <table> <tr> <th><i>ConfigId</i> value</th> <th>Type of data in the <i>pConfigInfo</i> buffer</th> /// </tr> <tr> <td width="40%"><a id="HttpServiceConfigSSLCertInfo"></a><a id="httpserviceconfigsslcertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCERTINFO"></a><dl> <dt><b>HttpServiceConfigSSLCertInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_SSL_SET structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSslSniCertInfo"></a><a id="httpserviceconfigsslsnicertinfo"></a><a /// id="HTTPSERVICECONFIGSSLSNICERTINFO"></a><dl> <dt><b>HttpServiceConfigSslSniCertInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_SSL_SNI_SET structure. The hostname will be "*" when the SSL central certificate /// store is queried and wildcard bindings are used, and a host name for regular SNI. </td> </tr> <tr> <td /// width="40%"><a id="HttpServiceConfigSslCcsCertInfo"></a><a id="httpserviceconfigsslccscertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCCSCERTINFO"></a><dl> <dt><b><b>HttpServiceConfigSslCcsCertInfo</b></b></dt> </dl> </td> /// <td width="60%"> HTTP_SERVICE_CONFIG_SSL_CCS_SET structure. This structure is used to add the CCS store on the /// specified port, as well as to delete, retrieve, or update an existing SSL CCS record. </td> </tr> </table> /// ConfigInfoLength = The size, in bytes, of the <i>ConfigInfo</i> buffer. /// Overlapped = Reserved and must be <b>NULL</b>. ///Returns: /// If the function succeeds, the return value is <b>ERROR_SUCCESS</b>. If the function fails, the return value is /// one of the following error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_FILE_NOT_FOUND</b></dt> </dl> </td> <td width="60%"> The specified record does not exist. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INSUFFICIENT_BUFFER</b></dt> </dl> </td> <td width="60%"> The /// buffer size specified in the <i>ConfigInfoLength</i> parameter is insufficient. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_INVALID_HANDLE</b></dt> </dl> </td> <td width="60%"> The <i>ServiceHandle</i> parameter is /// invalid. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td /// width="60%"> One or more of the supplied parameters is in an unusable form. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_NO_SUCH_LOGON_SESSION</b></dt> </dl> </td> <td width="60%"> The SSL Certificate used is /// invalid. This can occur only if the <i>HttpServiceConfigSSLCertInfo</i> parameter is used. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A system error code defined in WinError.h. /// </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpUpdateServiceConfiguration(HANDLE Handle, HTTP_SERVICE_CONFIG_ID ConfigId, void* ConfigInfo, uint ConfigInfoLength, OVERLAPPED* Overlapped); ///The <b>HttpDeleteServiceConfiguration</b> function deletes specified data, such as IP addresses or SSL Certificates, ///from the HTTP Server API configuration store, one record at a time. ///Params: /// ServiceHandle = This parameter is reserved and must be zero. /// ConfigId = Type of configuration. This parameter is one of the values in the HTTP_SERVICE_CONFIG_ID enumeration. <table> /// <tr> <th><i>ConfigId</i> value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigIPListenList"></a><a id="httpserviceconfigiplistenlist"></a><a /// id="HTTPSERVICECONFIGIPLISTENLIST"></a><dl> <dt><b>HttpServiceConfigIPListenList</b></dt> </dl> </td> <td /// width="60%"> Deletes a specified IP address from the IP Listen List. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSSLCertInfo"></a><a id="httpserviceconfigsslcertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCERTINFO"></a><dl> <dt><b>HttpServiceConfigSSLCertInfo</b></dt> </dl> </td> <td /// width="60%"> Deletes a specified SSL certificate record. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigUrlAclInfo"></a><a id="httpserviceconfigurlaclinfo"></a><a /// id="HTTPSERVICECONFIGURLACLINFO"></a><dl> <dt><b>HttpServiceConfigUrlAclInfo</b></dt> </dl> </td> <td /// width="60%"> Deletes a specified URL reservation record. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigTimeout"></a><a id="httpserviceconfigtimeout"></a><a id="HTTPSERVICECONFIGTIMEOUT"></a><dl> /// <dt><b>HttpServiceConfigTimeout</b></dt> </dl> </td> <td width="60%"> Deletes a specified connection timeout. /// <b>Windows Vista and later: </b>This enumeration is supported. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSslSniCertInfo"></a><a id="httpserviceconfigsslsnicertinfo"></a><a /// id="HTTPSERVICECONFIGSSLSNICERTINFO"></a><dl> <dt><b>HttpServiceConfigSslSniCertInfo</b></dt> </dl> </td> <td /// width="60%"> Deletes a specified SSL Server Name Indication (SNI) certificate record. <b>Windows 8 and later: /// </b>This enumeration value is supported. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSslCcsCertInfo"></a><a id="httpserviceconfigsslccscertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCCSCERTINFO"></a><dl> <dt><b>HttpServiceConfigSslCcsCertInfo</b></dt> </dl> </td> <td /// width="60%"> Deletes the SSL certificate record that specifies that Http.sys should consult the Centralized /// Certificate Store (CCS) store to find certificates if the port receives a Transport Layer Security (TLS) /// handshake. The port is specified by the <b>KeyDesc</b> member of the HTTP_SERVICE_CONFIG_SSL_CCS_SET structure /// that you pass to the <i>pConfigInformation</i> parameter. <b>Windows 8 and later: </b>This enumeration value is /// supported. </td> </tr> </table> /// pConfigInformation = Pointer to a buffer that contains data required for the type of configuration specified in the <i>ConfigId</i> /// parameter. <table> <tr> <th><i>ConfigId</i> value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigIPListenList"></a><a id="httpserviceconfigiplistenlist"></a><a /// id="HTTPSERVICECONFIGIPLISTENLIST"></a><dl> <dt><b>HttpServiceConfigIPListenList</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_IP_LISTEN_PARAM structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSSLCertInfo"></a><a id="httpserviceconfigsslcertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCERTINFO"></a><dl> <dt><b>HttpServiceConfigSSLCertInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_SSL_SET structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigUrlAclInfo"></a><a id="httpserviceconfigurlaclinfo"></a><a /// id="HTTPSERVICECONFIGURLACLINFO"></a><dl> <dt><b>HttpServiceConfigUrlAclInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_URLACL_SET structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigTimeouts"></a><a id="httpserviceconfigtimeouts"></a><a /// id="HTTPSERVICECONFIGTIMEOUTS"></a><dl> <dt><b>HttpServiceConfigTimeouts</b></dt> </dl> </td> <td width="60%"> /// HTTP_SERVICE_CONFIG_TIMEOUT_KEY structure. <b>Windows Vista and later: </b>This structure is supported. </td> /// </tr> <tr> <td width="40%"><a id="HttpServiceConfigSslSniCertInfo"></a><a /// id="httpserviceconfigsslsnicertinfo"></a><a id="HTTPSERVICECONFIGSSLSNICERTINFO"></a><dl> /// <dt><b>HttpServiceConfigSslSniCertInfo</b></dt> </dl> </td> <td width="60%"> HTTP_SERVICE_CONFIG_SSL_SNI_SET /// structure. The hostname will be "*" when the SSL central certificate store is queried and wildcard bindings are /// used, and a host name for regular SNI. <b>Windows 8 and later: </b>This structure is supported. </td> </tr> <tr> /// <td width="40%"><a id="HttpServiceConfigSslCcsCertInfo"></a><a id="httpserviceconfigsslccscertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCCSCERTINFO"></a><dl> <dt><b><b>HttpServiceConfigSslCcsCertInfo</b></b></dt> </dl> </td> /// <td width="60%"> HTTP_SERVICE_CONFIG_SSL_CCS_SET structure. <b>Windows 8 and later: </b>This structure is /// supported. </td> </tr> </table> /// ConfigInformationLength = Size, in bytes, of the <i>pConfigInformation</i> buffer. /// pOverlapped = Reserved for future asynchronous operation. This parameter must be set to <b>NULL</b>. ///Returns: /// If the function succeeds, the function returns NO_ERROR. If the function fails, it returns one of the following /// error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One of the parameters are invalid. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A system error code defined /// in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpDeleteServiceConfiguration(HANDLE ServiceHandle, HTTP_SERVICE_CONFIG_ID ConfigId, void* pConfigInformation, uint ConfigInformationLength, OVERLAPPED* pOverlapped); ///The <b>HttpQueryServiceConfiguration</b> function retrieves one or more HTTP Server API configuration records. ///Params: /// ServiceHandle = Reserved. Must be zero. /// ConfigId = The configuration record query type. This parameter is one of the following values from the /// HTTP_SERVICE_CONFIG_ID enumeration. <table> <tr> <th><i>ConfigId</i> value</th> <th>Meaning</th> </tr> <tr> <td /// width="40%"><a id="HttpServiceConfigIPListenList"></a><a id="httpserviceconfigiplistenlist"></a><a /// id="HTTPSERVICECONFIGIPLISTENLIST"></a><dl> <dt><b>HttpServiceConfigIPListenList</b></dt> </dl> </td> <td /// width="60%"> Queries the IP Listen List. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSSLCertInfo"></a><a id="httpserviceconfigsslcertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCERTINFO"></a><dl> <dt><b>HttpServiceConfigSSLCertInfo</b></dt> </dl> </td> <td /// width="60%"> Queries the SSL store for a specific certificate record. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigUrlAclInfo"></a><a id="httpserviceconfigurlaclinfo"></a><a /// id="HTTPSERVICECONFIGURLACLINFO"></a><dl> <dt><b>HttpServiceConfigUrlAclInfo</b></dt> </dl> </td> <td /// width="60%"> Queries URL reservation information. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigTimeout"></a><a id="httpserviceconfigtimeout"></a><a id="HTTPSERVICECONFIGTIMEOUT"></a><dl> /// <dt><b>HttpServiceConfigTimeout</b></dt> </dl> </td> <td width="60%"> Queries HTTP Server API wide connection /// timeouts. <b>Windows Vista and later: </b>This enumeration is supported. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSslSniCertInfo"></a><a id="httpserviceconfigsslsnicertinfo"></a><a /// id="HTTPSERVICECONFIGSSLSNICERTINFO"></a><dl> <dt><b>HttpServiceConfigSslSniCertInfo</b></dt> </dl> </td> <td /// width="60%"> Queries the SSL Server Name Indication (SNI) store for a specific certificate record. <b>Windows 8 /// and later: </b>This enumeration value is supported. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSslCcsCertInfo"></a><a id="httpserviceconfigsslccscertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCCSCERTINFO"></a><dl> <dt><b>HttpServiceConfigSslCcsCertInfo</b></dt> </dl> </td> <td /// width="60%"> Queries the SSL configuration for an SSL Centralized Certificate Store (CCS) record on the port. The /// port is specified by the <b>KeyDesc</b> member of the HTTP_SERVICE_CONFIG_SSL_CCS_QUERY structure that you pass /// to the <i>pInputConfigInfo</i> parameter. <b>Windows 8 and later: </b>This enumeration value is supported. </td> /// </tr> </table> /// pInput = A pointer to a structure whose contents further define the query and of the type that correlates with /// <i>ConfigId</i> in the following table. <table> <tr> <th><i>ConfigId</i> value</th> <th>Meaning</th> </tr> <tr> /// <td width="40%"><a id="HttpServiceConfigIPListenList"></a><a id="httpserviceconfigiplistenlist"></a><a /// id="HTTPSERVICECONFIGIPLISTENLIST"></a><dl> <dt><b>HttpServiceConfigIPListenList</b></dt> </dl> </td> <td /// width="60%"> No input data; set to <b>NULL</b>. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSSLCertInfo"></a><a id="httpserviceconfigsslcertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCERTINFO"></a><dl> <dt><b>HttpServiceConfigSSLCertInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_SSL_QUERY structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigUrlAclInfo"></a><a id="httpserviceconfigurlaclinfo"></a><a /// id="HTTPSERVICECONFIGURLACLINFO"></a><dl> <dt><b>HttpServiceConfigUrlAclInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_URLACL_QUERY structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigTimeout"></a><a id="httpserviceconfigtimeout"></a><a id="HTTPSERVICECONFIGTIMEOUT"></a><dl> /// <dt><b>HttpServiceConfigTimeout</b></dt> </dl> </td> <td width="60%"> HTTP_SERVICE_CONFIG_TIMEOUT_KEY structure. /// <b>Windows Vista and later: </b>This structure is supported. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSslSniCertInfo"></a><a id="httpserviceconfigsslsnicertinfo"></a><a /// id="HTTPSERVICECONFIGSSLSNICERTINFO"></a><dl> <dt><b>HttpServiceConfigSslSniCertInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_SSL_SNI_QUERY structure. <b>Windows 8 and later: </b>This structure is /// supported. </td> </tr> <tr> <td width="40%"><a id="HttpServiceConfigSslCcsCertInfo"></a><a /// id="httpserviceconfigsslccscertinfo"></a><a id="HTTPSERVICECONFIGSSLCCSCERTINFO"></a><dl> /// <dt><b>HttpServiceConfigSslCcsCertInfo</b></dt> </dl> </td> <td width="60%"> HTTP_SERVICE_CONFIG_SSL_CCS_QUERY /// structure. <b>Windows 8 and later: </b>This structure is supported. </td> </tr> </table> For more information, /// see the appropriate query structures. /// InputLength = Size, in bytes, of the <i>pInputConfigInfo</i> buffer. /// pOutput = A pointer to a buffer in which the query results are returned. The type of this buffer correlates with /// <i>ConfigId</i>. <table> <tr> <th><i>ConfigId</i> value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigIPListenList"></a><a id="httpserviceconfigiplistenlist"></a><a /// id="HTTPSERVICECONFIGIPLISTENLIST"></a><dl> <dt><b>HttpServiceConfigIPListenList</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_IP_LISTEN_QUERY structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSSLCertInfo"></a><a id="httpserviceconfigsslcertinfo"></a><a /// id="HTTPSERVICECONFIGSSLCERTINFO"></a><dl> <dt><b>HttpServiceConfigSSLCertInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_SSL_SET structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigUrlAclInfo"></a><a id="httpserviceconfigurlaclinfo"></a><a /// id="HTTPSERVICECONFIGURLACLINFO"></a><dl> <dt><b>HttpServiceConfigUrlAclInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_URLACL_SET structure. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigTimeout"></a><a id="httpserviceconfigtimeout"></a><a id="HTTPSERVICECONFIGTIMEOUT"></a><dl> /// <dt><b>HttpServiceConfigTimeout</b></dt> </dl> </td> <td width="60%"> HTTP_SERVICE_CONFIG_TIMEOUT_PARAM data /// type. <b>Windows Vista and later: </b>This structure is supported. </td> </tr> <tr> <td width="40%"><a /// id="HttpServiceConfigSslSniCertInfo"></a><a id="httpserviceconfigsslsnicertinfo"></a><a /// id="HTTPSERVICECONFIGSSLSNICERTINFO"></a><dl> <dt><b>HttpServiceConfigSslSniCertInfo</b></dt> </dl> </td> <td /// width="60%"> HTTP_SERVICE_CONFIG_SSL_SNI_SET structure. <b>Windows 8 and later: </b>This structure is supported. /// </td> </tr> <tr> <td width="40%"><a id="HttpServiceConfigSslCcsCertInfo"></a><a /// id="httpserviceconfigsslccscertinfo"></a><a id="HTTPSERVICECONFIGSSLCCSCERTINFO"></a><dl> /// <dt><b>HttpServiceConfigSslCcsCertInfo</b></dt> </dl> </td> <td width="60%"> HTTP_SERVICE_CONFIG_SSL_CCS_SET /// structure. <b>Windows 8 and later: </b>This structure is supported. </td> </tr> </table> /// OutputLength = Size, in bytes, of the <i>pOutputConfigInfo</i> buffer. /// pReturnLength = A pointer to a variable that receives the number of bytes to be written in the output buffer. If the output /// buffer is too small, the call fails with a return value of <b>ERROR_INSUFFICIENT_BUFFER</b>. The value pointed to /// by <i>pReturnLength</i> can be used to determine the minimum length the buffer requires for the call to succeed. /// pOverlapped = Reserved for asynchronous operation and must be set to <b>NULL</b>. ///Returns: /// If the function succeeds, the return value is <b>NO_ERROR</b>. If the function fails, the return value is one of /// the following error codes. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One of the parameters are invalid. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INSUFFICIENT_BUFFER</b></dt> </dl> </td> <td width="60%"> The /// buffer pointed to by <i>pOutputConfigInfo</i> is too small to receive the output data. Call the function again /// with a buffer at least as large as the size pointed to by <i>pReturnLength</i> on exit. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_MORE_DATA</b></dt> </dl> </td> <td width="60%"> This error code is only returned /// when <i>ConfigId</i> is set to <b>HttpServiceConfigTimeout</b>. The buffer pointed to by <i>pOutputConfigInfo</i> /// is too small to receive the output data. Call the function again with a buffer at least as large as the size /// pointed to by <i>pReturnLength</i> on exit. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NO_MORE_ITEMS</b></dt> </dl> </td> <td width="60%"> There are no more items to return that meet the /// specified criteria. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>Other</b></dt> </dl> </td> <td width="60%"> A /// system error code defined in WinError.h. </td> </tr> </table> /// @DllImport("HTTPAPI") uint HttpQueryServiceConfiguration(HANDLE ServiceHandle, HTTP_SERVICE_CONFIG_ID ConfigId, void* pInput, uint InputLength, void* pOutput, uint OutputLength, uint* pReturnLength, OVERLAPPED* pOverlapped); @DllImport("HTTPAPI") uint HttpGetExtension(HTTPAPI_VERSION Version, uint Extension, void* Buffer, uint BufferSize); ///The <b>WinHttpSetStatusCallback</b> function sets up a callback function that WinHTTP can call as progress is made ///during an operation. ///Params: /// hInternet = HINTERNET handle for which the callback is to be set. /// lpfnInternetCallback = Pointer to the callback function to call when progress is made. Set this to <b>NULL</b> to remove the existing /// callback function. For more information about the callback function, see WINHTTP_STATUS_CALLBACK. /// dwNotificationFlags = Unsigned long integer value that specifies flags to indicate which events activate the callback function. The /// possible values are as follows. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_ALL_COMPLETIONS"></a><a id="winhttp_callback_flag_all_completions"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_ALL_COMPLETIONS</b></dt> </dl> </td> <td width="60%"> Activates upon any completion /// notification. This flag specifies that all notifications required for read or write operations are used. See /// WINHTTP_STATUS_CALLBACK for a list of completions. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_ALL_NOTIFICATIONS"></a><a id="winhttp_callback_flag_all_notifications"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_ALL_NOTIFICATIONS</b></dt> </dl> </td> <td width="60%"> Activates upon any status /// change notification including completions. See WINHTTP_STATUS_CALLBACK for a list of notifications. </td> </tr> /// <tr> <td width="40%"><a id="WINHTTP_CALLBACK_FLAG_RESOLVE_NAME"></a><a /// id="winhttp_callback_flag_resolve_name"></a><dl> <dt><b>WINHTTP_CALLBACK_FLAG_RESOLVE_NAME</b></dt> </dl> </td> /// <td width="60%"> Activates upon beginning and completing name resolution. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_CONNECT_TO_SERVER"></a><a id="winhttp_callback_flag_connect_to_server"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_CONNECT_TO_SERVER</b></dt> </dl> </td> <td width="60%"> Activates upon beginning and /// completing connection to the server. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_DETECTING_PROXY"></a><a id="winhttp_callback_flag_detecting_proxy"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_DETECTING_PROXY</b></dt> </dl> </td> <td width="60%"> Activates when detecting the /// proxy server. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_CALLBACK_FLAG_DATA_AVAILABLE"></a><a /// id="winhttp_callback_flag_data_available"></a><dl> <dt><b>WINHTTP_CALLBACK_FLAG_DATA_AVAILABLE</b></dt> </dl> /// </td> <td width="60%"> Activates when completing a query for data. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_HEADERS_AVAILABLE"></a><a id="winhttp_callback_flag_headers_available"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_HEADERS_AVAILABLE</b></dt> </dl> </td> <td width="60%"> Activates when the response /// headers are available for retrieval. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_READ_COMPLETE"></a><a id="winhttp_callback_flag_read_complete"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_READ_COMPLETE</b></dt> </dl> </td> <td width="60%"> Activates upon completion of a /// data-read operation. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_CALLBACK_FLAG_REQUEST_ERROR"></a><a /// id="winhttp_callback_flag_request_error"></a><dl> <dt><b>WINHTTP_CALLBACK_FLAG_REQUEST_ERROR</b></dt> </dl> </td> /// <td width="60%"> Activates when an asynchronous error occurs. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_SEND_REQUEST"></a><a id="winhttp_callback_flag_send_request"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_SEND_REQUEST</b></dt> </dl> </td> <td width="60%"> Activates upon beginning and /// completing the sending of a request header with WinHttpSendRequest. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_SENDREQUEST_COMPLETE"></a><a id="winhttp_callback_flag_sendrequest_complete"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_SENDREQUEST_COMPLETE</b></dt> </dl> </td> <td width="60%"> Activates when a request /// header has been sent with WinHttpSendRequest. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_WRITE_COMPLETE"></a><a id="winhttp_callback_flag_write_complete"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_WRITE_COMPLETE</b></dt> </dl> </td> <td width="60%"> Activates upon completion of a /// data-post operation. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_CALLBACK_FLAG_RECEIVE_RESPONSE"></a><a /// id="winhttp_callback_flag_receive_response"></a><dl> <dt><b>WINHTTP_CALLBACK_FLAG_RECEIVE_RESPONSE</b></dt> </dl> /// </td> <td width="60%"> Activates upon beginning and completing the receipt of a resource from the HTTP server. /// </td> </tr> <tr> <td width="40%"><a id="WINHTTP_CALLBACK_FLAG_CLOSE_CONNECTION"></a><a /// id="winhttp_callback_flag_close_connection"></a><dl> <dt><b>WINHTTP_CALLBACK_FLAG_CLOSE_CONNECTION</b></dt> </dl> /// </td> <td width="60%"> Activates when beginning and completing the closing of an HTTP connection. </td> </tr> /// <tr> <td width="40%"><a id="WINHTTP_CALLBACK_FLAG_HANDLES"></a><a id="winhttp_callback_flag_handles"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_HANDLES</b></dt> </dl> </td> <td width="60%"> Activates when an HINTERNET handle is /// created or closed. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_CALLBACK_FLAG_REDIRECT"></a><a /// id="winhttp_callback_flag_redirect"></a><dl> <dt><b>WINHTTP_CALLBACK_FLAG_REDIRECT</b></dt> </dl> </td> <td /// width="60%"> Activates when the request is redirected. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_INTERMEDIATE_RESPONSE"></a><a id="winhttp_callback_flag_intermediate_response"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_INTERMEDIATE_RESPONSE</b></dt> </dl> </td> <td width="60%"> Activates when receiving /// an intermediate (100 level) status code message from the server. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_CALLBACK_FLAG_SECURE_FAILURE"></a><a id="winhttp_callback_flag_secure_failure"></a><dl> /// <dt><b>WINHTTP_CALLBACK_FLAG_SECURE_FAILURE</b></dt> </dl> </td> <td width="60%"> Activates upon a secure /// connection failure. </td> </tr> </table> /// dwReserved = This parameter is reserved and must be <b>NULL</b>. ///Returns: /// If successful, returns a pointer to the previously defined status callback function or <b>NULL</b> if there was /// no previously defined status callback function. Returns <b>WINHTTP_INVALID_STATUS_CALLBACK</b> if the callback /// function could not be installed. For extended error information, call GetLastError. Among the error codes /// returned are the following. <table> <tr> <th>Error Code</th> <th>Description</th> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The type of handle supplied /// is incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough /// memory was available to complete the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") WINHTTP_STATUS_CALLBACK WinHttpSetStatusCallback(void* hInternet, WINHTTP_STATUS_CALLBACK lpfnInternetCallback, uint dwNotificationFlags, size_t dwReserved); ///The <b>WinHttpTimeFromSystemTime</b> function formats a date and time according to the HTTP version 1.0 ///specification. ///Params: /// pst = A pointer to a SYSTEMTIME structure that contains the date and time to format. /// pwszTime = A pointer to a string buffer that receives the formatted date and time. The buffer should equal to the size, in /// bytes, of WINHTTP_TIME_FORMAT_BUFSIZE. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. To get extended error information, call /// GetLastError. Error codes include the following. <table> <tr> <th>Error Code</th> <th>Description</th> </tr> <tr> /// <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error /// has occurred. </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpTimeFromSystemTime(const(SYSTEMTIME)* pst, PWSTR pwszTime); ///The <b>WinHttpTimeToSystemTime</b> function takes an HTTP time/date string and converts it to a SYSTEMTIME structure. ///Params: /// pwszTime = Pointer to a null-terminated date/time string to convert. This value must use the format defined in section 3.3 /// of the RFC2616. /// pst = Pointer to the SYSTEMTIME structure that receives the converted time. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// Among the error codes returned is: <table> <tr> <th>Error Code</th> <th>Description</th> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has /// occurred. </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpTimeToSystemTime(const(PWSTR) pwszTime, SYSTEMTIME* pst); ///The <b>WinHttpCrackUrl</b> function separates a URL into its component parts such as host name and path. ///Params: /// pwszUrl = Pointer to a string that contains the canonical URL to separate. <b>WinHttpCrackUrl</b> does not check this URL /// for validity or correct format before attempting to crack it. /// dwUrlLength = The length of the <i>pwszUrl</i> string, in characters. If <i>dwUrlLength</i> is set to zero, /// <b>WinHttpCrackUrl</b> assumes that the <i>pwszUrl</i> string is <b>null</b> terminated and determines the length /// of the <i>pwszUrl</i> string based on that assumption. /// dwFlags = The flags that control the operation. This parameter can be a combination of one or more of the following flags /// (values can be bitwise OR'd together). Or, the parameter can be 0, which performs no special operations. <table> /// <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="ICU_DECODE"></a><a /// id="icu_decode"></a><dl> <dt><b>ICU_DECODE</b></dt> </dl> </td> <td width="60%"> Converts characters that are /// "escape encoded" (%xx) to their non-escaped form. This does not decode other encodings, such as UTF-8. This /// feature can be used only if the user provides buffers in the URL_COMPONENTS structure to copy the components /// into. </td> </tr> <tr> <td width="40%"><a id="ICU_ESCAPE"></a><a id="icu_escape"></a><dl> /// <dt><b>ICU_ESCAPE</b></dt> </dl> </td> <td width="60%"> Escapes certain characters to their escape sequences /// (%xx). Characters to be escaped are non-ASCII characters or those ASCII characters that must be escaped to be /// represented in an HTTP request. This feature can be used only if the user provides buffers in the URL_COMPONENTS /// structure to copy the components into. </td> </tr> <tr> <td width="40%"><a id="ICU_REJECT_USERPWD"></a><a /// id="icu_reject_userpwd"></a><dl> <dt><b>ICU_REJECT_USERPWD</b></dt> </dl> </td> <td width="60%"> Rejects URLs as /// input that contain embedded credentials (either a username, a password, or both). If the function fails because /// of an invalid URL, then subsequent calls to GetLastError return <b>ERROR_WINHTTP_INVALID_URL</b>. </td> </tr> /// </table> /// lpUrlComponents = Pointer to a URL_COMPONENTS structure that receives the URL components. ///Returns: /// Returns <b>TRUE</b> if the function succeeds, or <b>FALSE</b> otherwise. To get extended error information, call /// GetLastError. Among the error codes returned are the following. <table> <tr> <th>Error Codes</th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> /// <td width="60%"> An internal error has occurred. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INVALID_URL</b></dt> </dl> </td> <td width="60%"> The URL is invalid. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_UNRECOGNIZED_SCHEME</b></dt> </dl> </td> <td width="60%"> The URL scheme /// could not be recognized, or is not supported. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpCrackUrl(const(PWSTR) pwszUrl, uint dwUrlLength, uint dwFlags, URL_COMPONENTS* lpUrlComponents); ///The <b>WinHttpCreateUrl</b> function creates a URL from component parts such as the host name and path. ///Params: /// lpUrlComponents = Pointer to a URL_COMPONENTS structure that contains the components from which to create the URL. /// dwFlags = Flags that control the operation of this function. This parameter can be one of the following values. <table> /// <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="ICU_ESCAPE"></a><a /// id="icu_escape"></a><dl> <dt><b>ICU_ESCAPE</b></dt> </dl> </td> <td width="60%"> Converts all unsafe characters /// to their corresponding escape sequences in the path string pointed to by the <b>lpszUrlPath</b> member and in /// <b>lpszExtraInfo</b> the extra-information string pointed to by the member of the URL_COMPONENTS structure /// pointed to by the <i>lpUrlComponents</i> parameter. </td> </tr> <tr> <td width="40%"><a /// id="ICU_REJECT_USERPWD"></a><a id="icu_reject_userpwd"></a><dl> <dt><b>ICU_REJECT_USERPWD</b></dt> </dl> </td> /// <td width="60%"> Rejects URLs as input that contains either a username, or a password, or both. If the function /// fails because of an invalid URL, subsequent calls to GetLastError will return ERROR_WINHTTP_INVALID_URL. </td> /// </tr> </table> /// pwszUrl = Pointer to a character buffer that receives the URL as a wide character (Unicode) string. /// pdwUrlLength = Pointer to a variable of type unsigned long integer that receives the length of the <i>pwszUrl</i> buffer in wide /// (Unicode) characters. When the function returns, this parameter receives the length of the URL string wide in /// characters, minus 1 for the terminating character. If GetLastError returns ERROR_INSUFFICIENT_BUFFER, this /// parameter receives the number of wide characters required to hold the created URL. ///Returns: /// Returns <b>TRUE</b> if the function succeeds, or <b>FALSE</b> otherwise. To get extended error data, call /// GetLastError. Among the error codes returned are the following. <table> <tr> <th>Error Code</th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> /// <td width="60%"> An internal error occurred. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Insufficient memory available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpCreateUrl(URL_COMPONENTS* lpUrlComponents, uint dwFlags, PWSTR pwszUrl, uint* pdwUrlLength); ///The <b>WinHttpCheckPlatform</b> function determines whether the current platform is supported by this version of ///Microsoft Windows HTTP Services (WinHTTP). ///Returns: /// The return value is <b>TRUE</b> if the platform is supported by Microsoft Windows HTTP Services (WinHTTP), or /// <b>FALSE</b> otherwise. /// @DllImport("WINHTTP") BOOL WinHttpCheckPlatform(); ///The <b>WinHttpGetDefaultProxyConfiguration</b> function retrieves the default WinHTTP proxy configuration from the ///registry. ///Params: /// pProxyInfo = A pointer to a variable of type WINHTTP_PROXY_INFO that receives the default proxy configuration. ///Returns: /// Returns <b>TRUE</b> if successful or <b>FALSE</b> otherwise. To retrieve a specific error message, call /// GetLastError. Error codes returned include the following. <table> <tr> <th>Error Code</th> <th>Description</th> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An /// internal error has occurred. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> /// </td> <td width="60%"> Not enough memory was available to complete the requested operation. (Windows error code) /// </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpGetDefaultProxyConfiguration(WINHTTP_PROXY_INFO* pProxyInfo); ///> [!IMPORTANT] > Use of **WinHttpSetDefaultProxyConfiguration** is deprecated on Windows 8.1 and newer. Most proxy ///configurations are not supported by **WinHttpSetDefaultProxyConfiguration**, nor does it support proxy ///authentication. Instead, use **WINHTTP_ACCESS_TYPE_AUTOMATIC_PROXY** with [WinHttpOpen](./nf-winhttp-winhttpopen.md). ///The <b>WinHttpSetDefaultProxyConfiguration</b> function sets the default WinHTTP proxy configuration in the registry. ///Params: /// pProxyInfo = A pointer to a variable of type WINHTTP_PROXY_INFO that specifies the default proxy configuration. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// Among the error codes returned are the following. <table> <tr> <th>Error Code</th> <th>Description</th> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal /// error has occurred. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> /// <td width="60%"> Not enough memory was available to complete the requested operation. (Windows error code) </td> /// </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpSetDefaultProxyConfiguration(WINHTTP_PROXY_INFO* pProxyInfo); ///The <b>WinHttpOpen</b> function initializes, for an application, the use of WinHTTP functions and returns a ///WinHTTP-session handle. ///Params: /// pszAgentW = A pointer to a string variable that contains the name of the application or entity calling the WinHTTP functions. /// This name is used as the user agent in the HTTP protocol. /// dwAccessType = Type of access required. This can be one of the following values. <table> <tr> <th>Value</th> <th>Meaning</th> /// </tr> <tr> <td width="40%"><a id="WINHTTP_ACCESS_TYPE_NO_PROXY"></a><a id="winhttp_access_type_no_proxy"></a><dl> /// <dt><b>WINHTTP_ACCESS_TYPE_NO_PROXY</b></dt> </dl> </td> <td width="60%"> Resolves all host names directly /// without a proxy. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_ACCESS_TYPE_DEFAULT_PROXY"></a><a /// id="winhttp_access_type_default_proxy"></a><dl> <dt><b>WINHTTP_ACCESS_TYPE_DEFAULT_PROXY</b></dt> </dl> </td> <td /// width="60%"> <div class="alert"><b>Important</b> Use of this option is deprecated on Windows 8.1 and newer. Use /// WINHTTP_ACCESS_TYPE_AUTOMATIC_PROXY instead.</div> <div> </div> Retrieves the static proxy or direct /// configuration from the registry. <b>WINHTTP_ACCESS_TYPE_DEFAULT_PROXY</b> does not inherit browser proxy /// settings. The WinHTTP proxy configuration is set by one of these mechanisms.<ul> <li>The proxycfg.exe utility on /// Windows XP and Windows Server 2003 or earlier.</li> <li>The <a /// href="/previous-versions/windows/it-pro/windows-server-2008-R2-and-2008/cc731131(v=ws.10) /// pszProxyW = A pointer to a string variable that contains the name of the proxy server to use when proxy access is specified /// by setting <i>dwAccessType</i> to <b>WINHTTP_ACCESS_TYPE_NAMED_PROXY</b>. The WinHTTP functions recognize only /// CERN type proxies for HTTP. If <i>dwAccessType</i> is not set to <b>WINHTTP_ACCESS_TYPE_NAMED_PROXY</b>, this /// parameter must be set to <b>WINHTTP_NO_PROXY_NAME</b>. /// pszProxyBypassW = A pointer to a string variable that contains an optional semicolon delimited list of host names or IP addresses, /// or both, that should not be routed through the proxy when <i>dwAccessType</i> is set to /// <b>WINHTTP_ACCESS_TYPE_NAMED_PROXY</b>. The list can contain wildcard characters. Do not use an empty string, /// because the <b>WinHttpOpen</b> function uses it as the proxy bypass list. If this parameter specifies the /// "&lt;local&gt;" macro in the list as the only entry, this function bypasses any host name that does not contain a /// period. If <i>dwAccessType</i> is not set to <b>WINHTTP_ACCESS_TYPE_NAMED_PROXY</b>, this parameter must be set /// to <b>WINHTTP_NO_PROXY_BYPASS</b>. /// dwFlags = Unsigned long integer value that contains the flags that indicate various options affecting the behavior of this /// function. This parameter can have the following value. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> /// <td width="40%"><a id="WINHTTP_FLAG_ASYNC"></a><a id="winhttp_flag_async"></a><dl> /// <dt><b>WINHTTP_FLAG_ASYNC</b></dt> </dl> </td> <td width="60%"> Use the WinHTTP functions asynchronously. By /// default, all WinHTTP functions that use the returned HINTERNET handle are performed synchronously. When this flag /// is set, the caller needs to specify a callback function through WinHttpSetStatusCallback. </td> </tr> </table> ///Returns: /// Returns a valid session handle if successful, or <b>NULL</b> otherwise. To retrieve extended error information, /// call GetLastError. Among the error codes returned are the following. <table> <tr> <th>Error Code</th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> /// <td width="60%"> An internal error has occurred. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") void* WinHttpOpen(const(PWSTR) pszAgentW, uint dwAccessType, const(PWSTR) pszProxyW, const(PWSTR) pszProxyBypassW, uint dwFlags); ///The **WinHttpCloseHandle** function closes a single **HINTERNET** handle (see [HINTERNET Handles in ///WinHTTP](/windows/win32/winhttp/hinternet-handles-in-winhttp)). ///Params: /// hInternet = A valid **HINTERNET** handle (see [HINTERNET Handles in /// WinHTTP](/windows/win32/winhttp/hinternet-handles-in-winhttp)) to be closed. ///Returns: /// **TRUE** if the handle is successfully closed, otherwise **FALSE**. To get extended error information, call /// GetLastError. Among the error codes returned are the following. <table> <tr> <th>Error Codes</th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_SHUTDOWN</b></dt> </dl> </td> <td /// width="60%"> The WinHTTP function support is being shut down or unloaded. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough /// memory was available to complete the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpCloseHandle(void* hInternet); ///The <b>WinHttpConnect</b> function specifies the initial target server of an HTTP request and returns an HINTERNET ///connection handle to an HTTP session for that initial target. ///Params: /// hSession = Valid HINTERNET WinHTTP session handle returned by a previous call to WinHttpOpen. /// pswzServerName = Pointer to a <b>null</b>-terminated string that contains the host name of an HTTP server. Alternately, the string /// can contain the IP address of the site in ASCII, for example, 10.0.1.45. Note that WinHttp does not accept /// international host names without converting them first to Punycode. For more information, see Handling /// Internationalized Domain Names (IDNs). /// nServerPort = Unsigned integer that specifies the TCP/IP port on the server to which a connection is made. This parameter can /// be any valid TCP/IP port number, or one of the following values. <table> <tr> <th>Value</th> <th>Meaning</th> /// </tr> <tr> <td width="40%"><a id="INTERNET_DEFAULT_HTTP_PORT"></a><a id="internet_default_http_port"></a><dl> /// <dt><b>INTERNET_DEFAULT_HTTP_PORT</b></dt> </dl> </td> <td width="60%"> Uses the default port for HTTP servers /// (port 80). </td> </tr> <tr> <td width="40%"><a id="INTERNET_DEFAULT_HTTPS_PORT"></a><a /// id="internet_default_https_port"></a><dl> <dt><b>INTERNET_DEFAULT_HTTPS_PORT</b></dt> </dl> </td> <td /// width="60%"> Uses the default port for HTTPS servers (port 443). Selecting this port does not automatically /// establish a secure connection. You must still specify the use of secure transaction semantics by using the /// WINHTTP_FLAG_SECURE flag with WinHttpOpenRequest. </td> </tr> <tr> <td width="40%"><a /// id="INTERNET_DEFAULT_PORT"></a><a id="internet_default_port"></a><dl> <dt><b>INTERNET_DEFAULT_PORT</b></dt> </dl> /// </td> <td width="60%"> Uses port 80 for HTTP and port 443 for Secure Hypertext Transfer Protocol (HTTPS). </td> /// </tr> </table> /// dwReserved = This parameter is reserved and must be 0. ///Returns: /// Returns a valid connection handle to the HTTP session if the connection is successful, or <b>NULL</b> otherwise. /// To retrieve extended error information, call GetLastError. Among the error codes returned are the following. /// <table> <tr> <th>Error Codes</th> <th>Description</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The type of handle supplied is /// incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> /// </dl> </td> <td width="60%"> An internal error has occurred. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INVALID_URL</b></dt> </dl> </td> <td width="60%"> The URL is invalid. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_OPERATION_CANCELLED</b></dt> </dl> </td> <td width="60%"> The operation /// was canceled, usually because the handle on which the request was operating was closed before the operation /// completed. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_UNRECOGNIZED_SCHEME</b></dt> </dl> </td> /// <td width="60%"> The URL scheme could not be recognized, or is not supported. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_WINHTTP_SHUTDOWN</b></dt> </dl> </td> <td width="60%"> The WinHTTP function support is being /// shut down or unloaded. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> /// <td width="60%"> Not enough memory was available to complete the requested operation. (Windows error code) </td> /// </tr> </table> /// @DllImport("WINHTTP") void* WinHttpConnect(void* hSession, const(PWSTR) pswzServerName, ushort nServerPort, uint dwReserved); ///The <b>WinHttpReadData</b> function reads data from a handle opened by the WinHttpOpenRequest function. ///Params: /// hRequest = Valid HINTERNET handle returned from a previous call to WinHttpOpenRequest. WinHttpReceiveResponse or /// WinHttpQueryDataAvailable must have been called for this handle and must have completed before /// <b>WinHttpReadData</b> is called. Although calling <b>WinHttpReadData</b> immediately after completion of /// <b>WinHttpReceiveResponse</b> avoids the expense of a buffer copy, doing so requires that the application use a /// fixed-length buffer for reading. /// lpBuffer = Pointer to a buffer that receives the data read. Make sure that this buffer remains valid until /// <b>WinHttpReadData</b> has completed. /// dwNumberOfBytesToRead = Unsigned long integer value that contains the number of bytes to read. /// lpdwNumberOfBytesRead = Pointer to an unsigned long integer variable that receives the number of bytes read. <b>WinHttpReadData</b> sets /// this value to zero before doing any work or error checking. When using WinHTTP asynchronously, always set this /// parameter to <b>NULL</b> and retrieve the information in the callback function; not doing so can cause a memory /// fault. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// The following table identifies the error codes that are returned. <table> <tr> <th>Error Code</th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_CONNECTION_ERROR</b></dt> </dl> </td> /// <td width="60%"> The connection with the server has been reset or terminated, or an incompatible SSL protocol was /// encountered. For example, WinHTTP 5.1 does not support SSL2 unless the client specifically enables it. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td /// width="60%"> The requested operation cannot be carried out because the handle supplied is not in the correct /// state. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td /// width="60%"> The type of handle supplied is incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_OPERATION_CANCELLED</b></dt> </dl> </td> <td width="60%"> /// The operation was canceled, usually because the handle on which the request was operating was closed before the /// operation completed. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_RESPONSE_DRAIN_OVERFLOW</b></dt> /// </dl> </td> <td width="60%"> Returned when an incoming response exceeds an internal WinHTTP size limit. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_TIMEOUT</b></dt> </dl> </td> <td width="60%"> The request /// has timed out. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td /// width="60%"> Not enough memory was available to complete the requested operation. (Windows error code) </td> /// </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpReadData(void* hRequest, void* lpBuffer, uint dwNumberOfBytesToRead, uint* lpdwNumberOfBytesRead); ///The <b>WinHttpWriteData</b> function writes request data to an HTTP server. ///Params: /// hRequest = Valid HINTERNET handle returned by WinHttpOpenRequest. Wait until WinHttpSendRequest has completed before calling /// this function. /// lpBuffer = Pointer to a buffer that contains the data to be sent to the server. Be sure that this buffer remains valid until /// after <b>WinHttpWriteData</b> completes. /// dwNumberOfBytesToWrite = Unsigned long integer value that contains the number of bytes to be written to the file. /// lpdwNumberOfBytesWritten = Pointer to an unsigned long integer variable that receives the number of bytes written to the buffer. The /// <b>WinHttpWriteData</b> function sets this value to zero before doing any work or error checking. When using /// WinHTTP asynchronously, this parameter must be set to <b>NULL</b> and retrieve the information in the callback /// function. Not doing so can cause a memory fault. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// Among the error codes returned are: <table> <tr> <th>Error Code</th> <th>Description</th> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_CONNECTION_ERROR</b></dt> </dl> </td> <td width="60%"> The connection with /// the server has been reset or terminated, or an incompatible SSL protocol was encountered. For example, WinHTTP /// version 5.1 does not support SSL2 unless the client specifically enables it. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td width="60%"> The requested operation /// cannot be carried out because the handle supplied is not in the correct state. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The type of handle supplied /// is incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_OPERATION_CANCELLED</b></dt> </dl> </td> <td width="60%"> /// The operation was canceled, usually because the handle on which the request was operating was closed before the /// operation completed. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_TIMEOUT</b></dt> </dl> </td> <td /// width="60%"> The request has timed out. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpWriteData(void* hRequest, const(void)* lpBuffer, uint dwNumberOfBytesToWrite, uint* lpdwNumberOfBytesWritten); ///The <b>WinHttpQueryDataAvailable</b> function returns the amount of data, in bytes, available to be read with ///WinHttpReadData. ///Params: /// hRequest = A valid HINTERNET handle returned by WinHttpOpenRequest. WinHttpReceiveResponse must have been called for this /// handle and have completed before <b>WinHttpQueryDataAvailable</b> is called. /// lpdwNumberOfBytesAvailable = A pointer to an unsigned long integer variable that receives the number of available bytes. When WinHTTP is used /// in asynchronous mode, always set this parameter to <b>NULL</b> and retrieve data in the callback function; not /// doing so can cause a memory fault. ///Returns: /// Returns <b>TRUE</b> if the function succeeds, or <b>FALSE</b> otherwise. To get extended error data, call /// GetLastError. Among the error codes returned are the following. <table> <tr> <th>Error Code</th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_CONNECTION_ERROR</b></dt> </dl> </td> /// <td width="60%"> The connection with the server has been reset or terminated, or an incompatible SSL protocol was /// encountered. For example, WinHTTP version 5.1 does not support SSL2 unless the client specifically enables it. /// </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td /// width="60%"> The requested operation cannot complete because the handle supplied is not in the correct state. /// </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td /// width="60%"> The type of handle supplied is incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_OPERATION_CANCELLED</b></dt> </dl> </td> <td width="60%"> /// The operation was canceled, usually because the handle on which the request was operating was closed before the /// operation completed. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_TIMEOUT</b></dt> </dl> </td> <td /// width="60%"> The request has timed out. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpQueryDataAvailable(void* hRequest, uint* lpdwNumberOfBytesAvailable); ///The <b>WinHttpQueryOption</b> function queries an Internet option on the specified handle. ///Params: /// hInternet = An <b>HINTERNET</b> handle on which to query information. Note that this can be either a Session handle or a /// Request handle, depending on what option is being queried; see the Option Flags topic to determine which handle /// is appropriate to use in querying a particular option. /// dwOption = An unsigned long integer value that contains the Internet option to query. This can be one of the Option Flags /// values. /// lpBuffer = A pointer to a buffer that receives the option setting. Strings returned by the <b>WinHttpQueryOption</b> /// function are globally allocated, so the calling application must globally free the string when it finishes using /// it. Setting this parameter to <b>NULL</b> causes this function to return <b>FALSE</b>. Calling GetLastError then /// returns ERROR_INSUFFICIENT_BUFFER and <i>lpdwBufferLength</i> contains the number of bytes required to hold the /// requested information. /// lpdwBufferLength = A pointer to an unsigned long integer variable that contains the length of <i>lpBuffer</i>, in bytes. When the /// function returns, the variable receives the length of the data placed into <i>lpBuffer</i>. If GetLastError /// returns ERROR_INSUFFICIENT_BUFFER, this parameter receives the number of bytes required to hold the requested /// information. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. To get a specific error message, call GetLastError. /// Among the error codes returned are the following: <table> <tr> <th>Error Code</th> <th>Description</th> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td width="60%"> The /// requested operation cannot be carried out because the handle supplied is not in the correct state. </td> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The /// type of handle supplied is incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INVALID_OPTION</b></dt> </dl> </td> <td width="60%"> An /// invalid option value was specified. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpQueryOption(void* hInternet, uint dwOption, void* lpBuffer, uint* lpdwBufferLength); ///The <b>WinHttpSetOption</b> function sets an Internet option. ///Params: /// hInternet = The HINTERNET handle on which to set data. Be aware that this can be either a Session handle or a Request handle, /// depending on what option is being set. For more information about how to determine which handle is appropriate to /// use in setting a particular option, see the Option Flags. /// dwOption = An unsigned long integer value that contains the Internet option to set. This can be one of the Option Flags /// values. /// lpBuffer = A pointer to a buffer that contains the option setting. /// dwBufferLength = Unsigned long integer value that contains the length of the <i>lpBuffer</i> buffer. The length of the buffer is /// specified in characters for the following options; for all other options, the length is specified in bytes. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// Among the error codes returned are the following: <table> <tr> <th>Error Code</th> <th>Description</th> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td width="60%"> The /// requested operation cannot be carried out because the handle supplied is not in the correct state. </td> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The /// type of handle supplied is incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INVALID_OPTION</b></dt> </dl> </td> <td width="60%"> A /// request to WinHttpQueryOption or WinHttpSetOption specified an invalid option value. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> A parameter is not valid. /// This value will be returned if <b>WINHTTP_OPTION_WEB_SOCKET_KEEPALIVE_INTERVAL</b> is set to a value lower than /// 15000. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_OPTION_NOT_SETTABLE</b></dt> </dl> </td> <td /// width="60%"> The requested option cannot be set, only queried. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> A parameter is not valid. This value will be /// returned if <b>WINHTTP_OPTION_WEB_SOCKET_KEEPALIVE_INTERVAL</b> is set to a value lower than 15000. </td> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory /// was available to complete the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpSetOption(void* hInternet, uint dwOption, void* lpBuffer, uint dwBufferLength); ///The <b>WinHttpSetTimeouts</b> function sets time-outs involved with HTTP transactions. ///Params: /// hInternet = The HINTERNET handle returned by WinHttpOpen or WinHttpOpenRequest. /// nResolveTimeout = A value of type integer that specifies the time-out value, in milliseconds, to use for name resolution. If /// resolution takes longer than this time-out value, the action is canceled. The initial value is zero, meaning no /// time-out (infinite). <b>Windows Vista and Windows XP: </b>If DNS timeout is specified using /// NAME_RESOLUTION_TIMEOUT, there is an overhead of one thread per request. /// nConnectTimeout = A value of type integer that specifies the time-out value, in milliseconds, to use for server connection /// requests. If a connection request takes longer than this time-out value, the request is canceled. The initial /// value is 60,000 (60 seconds). TCP/IP can time out while setting up the socket during the three leg SYN/ACK /// exchange, regardless of the value of this parameter. /// nSendTimeout = A value of type integer that specifies the time-out value, in milliseconds, to use for sending requests. If /// sending a request takes longer than this time-out value, the send is canceled. The initial value is 30,000 (30 /// seconds). /// nReceiveTimeout = A value of type integer that specifies the time-out value, in milliseconds, to receive a response to a request. /// If a response takes longer than this time-out value, the request is canceled. The initial value is 30,000 (30 /// seconds). ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// Among the error codes returned are the following. <table> <tr> <th>Error Code</th> <th>Description</th> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td width="60%"> The /// requested operation cannot be carried out because the handle supplied is not in the correct state. </td> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The /// type of handle supplied is incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough /// memory was available to complete the requested operation. (Windows error code) </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> One or more of the timeout parameters /// has a negative value other than -1. </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpSetTimeouts(void* hInternet, int nResolveTimeout, int nConnectTimeout, int nSendTimeout, int nReceiveTimeout); ///The <b>WinHttpOpenRequest</b> function creates an HTTP request handle. ///Params: /// hConnect = HINTERNET connection handle to an HTTP session returned by WinHttpConnect. /// pwszVerb = Pointer to a string that contains the HTTP verb to use in the request. If this parameter is <b>NULL</b>, the /// function uses GET as the <i>HTTP verb</i>. <b>Note</b> This string should be all uppercase. Many servers treat /// HTTP verbs as case-sensitive, and the Internet Engineering Task Force (IETF) Requests for Comments (RFCs) spell /// these verbs using uppercase characters only. /// pwszObjectName = Pointer to a string that contains the name of the target resource of the specified HTTP verb. This is generally a /// file name, an executable module, or a search specifier. /// pwszVersion = Pointer to a string that contains the HTTP version. If this parameter is <b>NULL</b>, the function uses HTTP/1.1. /// pwszReferrer = Pointer to a string that specifies the URL of the document from which the URL in the request /// <i>pwszObjectName</i> was obtained. If this parameter is set to <b>WINHTTP_NO_REFERER</b>, no referring document /// is specified. /// ppwszAcceptTypes = Pointer to a <b>null</b>-terminated array of string pointers that specifies media types accepted by the client. /// If this parameter is set to <b>WINHTTP_DEFAULT_ACCEPT_TYPES</b>, no types are accepted by the client. Typically, /// servers handle a lack of accepted types as indication that the client accepts only documents of type "text/*"; /// that is, only text documents—no pictures or other binary files. For a list of valid media types, see Media /// Types defined by IANA at http://www.iana.org/assignments/media-types/. /// dwFlags = Unsigned long integer value that contains the Internet flag values. This can be one or more of the following /// values: <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="WINHTTP_FLAG_BYPASS_PROXY_CACHE"></a><a id="winhttp_flag_bypass_proxy_cache"></a><dl> /// <dt><b>WINHTTP_FLAG_BYPASS_PROXY_CACHE</b></dt> </dl> </td> <td width="60%"> This flag provides the same behavior /// as <b>WINHTTP_FLAG_REFRESH</b>. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_FLAG_ESCAPE_DISABLE"></a><a /// id="winhttp_flag_escape_disable"></a><dl> <dt><b>WINHTTP_FLAG_ESCAPE_DISABLE</b></dt> </dl> </td> <td /// width="60%"> Unsafe characters in the URL passed in for <i>pwszObjectName</i> are not converted to escape /// sequences. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_FLAG_ESCAPE_DISABLE_QUERY"></a><a /// id="winhttp_flag_escape_disable_query"></a><dl> <dt><b>WINHTTP_FLAG_ESCAPE_DISABLE_QUERY</b></dt> </dl> </td> <td /// width="60%"> Unsafe characters in the query component of the URL passed in for <i>pwszObjectName</i> are not /// converted to escape sequences. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_FLAG_ESCAPE_PERCENT"></a><a /// id="winhttp_flag_escape_percent"></a><dl> <dt><b>WINHTTP_FLAG_ESCAPE_PERCENT</b></dt> </dl> </td> <td /// width="60%"> The string passed in for <i>pwszObjectName</i> is converted from an <b>LPCWSTR</b> to an /// <b>LPSTR</b>. All unsafe characters are converted to an escape sequence including the percent symbol. By default, /// all unsafe characters except the percent symbol are converted to an escape sequence. </td> </tr> <tr> <td /// width="40%"><a id="WINHTTP_FLAG_NULL_CODEPAGE"></a><a id="winhttp_flag_null_codepage"></a><dl> /// <dt><b>WINHTTP_FLAG_NULL_CODEPAGE</b></dt> </dl> </td> <td width="60%"> The string passed in for /// <i>pwszObjectName</i> is assumed to consist of valid ANSI characters represented by <b>WCHAR</b>. No check are /// done for unsafe characters. <b>Windows 7: </b>This option is obsolete. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_FLAG_REFRESH"></a><a id="winhttp_flag_refresh"></a><dl> <dt><b>WINHTTP_FLAG_REFRESH</b></dt> </dl> /// </td> <td width="60%"> Indicates that the request should be forwarded to the originating server rather than /// sending a cached version of a resource from a proxy server. When this flag is used, a "Pragma: no-cache" header /// is added to the request handle. When creating an HTTP/1.1 request header, a "Cache-Control: no-cache" is also /// added. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_FLAG_SECURE"></a><a id="winhttp_flag_secure"></a><dl> /// <dt><b>WINHTTP_FLAG_SECURE</b></dt> </dl> </td> <td width="60%"> Uses secure transaction semantics. This /// translates to using Secure Sockets Layer (SSL)/Transport Layer Security (TLS). </td> </tr> </table> ///Returns: /// Returns a valid HTTP request handle if successful, or <b>NULL</b> if not. For extended error information, call /// GetLastError. Among the error codes returned are the following. <table> <tr> <th>Error Code</th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> /// </td> <td width="60%"> The type of handle supplied is incorrect for this operation. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has /// occurred. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INVALID_URL</b></dt> </dl> </td> <td /// width="60%"> The URL is invalid. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_OPERATION_CANCELLED</b></dt> </dl> </td> <td width="60%"> The operation was canceled, /// usually because the handle on which the request was operating was closed before the operation completed. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_UNRECOGNIZED_SCHEME</b></dt> </dl> </td> <td width="60%"> /// The URL specified a scheme other than "http:" or "https:". </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") void* WinHttpOpenRequest(void* hConnect, const(PWSTR) pwszVerb, const(PWSTR) pwszObjectName, const(PWSTR) pwszVersion, const(PWSTR) pwszReferrer, PWSTR* ppwszAcceptTypes, uint dwFlags); ///The <b>WinHttpAddRequestHeaders</b> function adds one or more HTTP request headers to the HTTP request handle. ///Params: /// hRequest = A HINTERNET handle returned by a call to the WinHttpOpenRequest function. /// lpszHeaders = A pointer to a string variable that contains the headers to append to the request. Each header except the last /// must be terminated by a carriage return/line feed (CR/LF). /// dwHeadersLength = An unsigned long integer value that contains the length, in characters, of <i>pwszHeaders</i>. If this parameter /// is -1L, the function assumes that <i>pwszHeaders</i> is zero-terminated (ASCIIZ), and the length is computed. /// dwModifiers = An unsigned long integer value that contains the flags used to modify the semantics of this function. Can be one /// or more of the following flags. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="WINHTTP_ADDREQ_FLAG_ADD"></a><a id="winhttp_addreq_flag_add"></a><dl> <dt><b>WINHTTP_ADDREQ_FLAG_ADD</b></dt> /// </dl> </td> <td width="60%"> Adds the header if it does not exist. Used with <b>WINHTTP_ADDREQ_FLAG_REPLACE</b>. /// </td> </tr> <tr> <td width="40%"><a id="WINHTTP_ADDREQ_FLAG_ADD_IF_NEW"></a><a /// id="winhttp_addreq_flag_add_if_new"></a><dl> <dt><b>WINHTTP_ADDREQ_FLAG_ADD_IF_NEW</b></dt> </dl> </td> <td /// width="60%"> Adds the header only if it does not already exist; otherwise, an error is returned. </td> </tr> <tr> /// <td width="40%"><a id="WINHTTP_ADDREQ_FLAG_COALESCE"></a><a id="winhttp_addreq_flag_coalesce"></a><dl> /// <dt><b>WINHTTP_ADDREQ_FLAG_COALESCE</b></dt> </dl> </td> <td width="60%"> Merges headers of the same name. </td> /// </tr> <tr> <td width="40%"><a id="WINHTTP_ADDREQ_FLAG_COALESCE_WITH_COMMA"></a><a /// id="winhttp_addreq_flag_coalesce_with_comma"></a><dl> <dt><b>WINHTTP_ADDREQ_FLAG_COALESCE_WITH_COMMA</b></dt> /// </dl> </td> <td width="60%"> Merges headers of the same name using a comma. For example, adding "Accept: text/*" /// followed by "Accept: audio/*" with this flag results in a single header "Accept: text/*, audio/*". This causes /// the first header found to be merged. The calling application must to ensure a cohesive scheme with respect to /// merged and separate headers. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_ADDREQ_FLAG_COALESCE_WITH_SEMICOLON"></a><a id="winhttp_addreq_flag_coalesce_with_semicolon"></a><dl> /// <dt><b>WINHTTP_ADDREQ_FLAG_COALESCE_WITH_SEMICOLON</b></dt> </dl> </td> <td width="60%"> Merges headers of the /// same name using a semicolon. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_ADDREQ_FLAG_REPLACE"></a><a /// id="winhttp_addreq_flag_replace"></a><dl> <dt><b>WINHTTP_ADDREQ_FLAG_REPLACE</b></dt> </dl> </td> <td /// width="60%"> Replaces or removes a header. If the header value is empty and the header is found, it is removed. /// If the value is not empty, it is replaced. </td> </tr> </table> ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// Among the error codes returned are the following. <table> <tr> <th>Error Code</th> <th>Description</th> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td width="60%"> The /// requested operation cannot be performed because the handle supplied is not in the correct state. </td> </tr> <tr> /// <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The type /// of handle supplied is incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough /// memory was available to complete the requested operation. </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpAddRequestHeaders(void* hRequest, const(PWSTR) lpszHeaders, uint dwHeadersLength, uint dwModifiers); @DllImport("WINHTTP") uint WinHttpAddRequestHeadersEx(void* hRequest, uint dwModifiers, ulong ullFlags, ulong ullExtra, uint cHeaders, WINHTTP_EXTENDED_HEADER* pHeaders); ///The <b>WinHttpSendRequest</b> function sends the specified request to the HTTP server. ///Params: /// hRequest = An HINTERNET handle returned by WinHttpOpenRequest. /// lpszHeaders = A pointer to a string that contains the additional headers to append to the request. This parameter can be /// <b>WINHTTP_NO_ADDITIONAL_HEADERS</b> if there are no additional headers to append. /// dwHeadersLength = An unsigned long integer value that contains the length, in characters, of the additional headers. If this /// parameter is <b>-1L</b> and <i>pwszHeaders</i> is not <b>NULL</b>, this function assumes that <i>pwszHeaders</i> /// is <b>null</b>-terminated, and the length is calculated. /// lpOptional = A pointer to a buffer that contains any optional data to send immediately after the request headers. This /// parameter is generally used for POST and PUT operations. The optional data can be the resource or data posted to /// the server. This parameter can be <b>WINHTTP_NO_REQUEST_DATA</b> if there is no optional data to send. If the /// <i>dwOptionalLength</i> parameter is 0, this parameter is ignored and set to <b>NULL</b>. This buffer must remain /// available until the request handle is closed or the call to WinHttpReceiveResponse has completed. /// dwOptionalLength = An unsigned long integer value that contains the length, in bytes, of the optional data. This parameter can be /// zero if there is no optional data to send. This parameter must contain a valid length when the <i>lpOptional</i> /// parameter is not <b>NULL</b>. Otherwise, <i>lpOptional</i> is ignored and set to <b>NULL</b>. /// dwTotalLength = An unsigned long integer value that contains the length, in bytes, of the total data sent. This parameter /// specifies the Content-Length header of the request. If the value of this parameter is greater than the length /// specified by <i>dwOptionalLength</i>, then WinHttpWriteData can be used to send additional data. /// <i>dwTotalLength</i> must not change between calls to <b>WinHttpSendRequest</b> for the same request. If /// <i>dwTotalLength</i> needs to be changed, the caller should create a new request. /// dwContext = A pointer to a pointer-sized variable that contains an application-defined value that is passed, with the request /// handle, to any callback functions. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// Error codes are listed in the following table. <table> <tr> <th>Error Code</th> <th>Description</th> </tr> <tr> /// <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_CANNOT_CONNECT</b></dt> </dl> </td> <td width="60%"> Returned if /// connection to the server failed. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_CLIENT_AUTH_CERT_NEEDED</b></dt> </dl> </td> <td width="60%"> The secure HTTP server /// requires a client certificate. The application retrieves the list of certificate issuers by calling /// WinHttpQueryOption with the <b>WINHTTP_OPTION_CLIENT_CERT_ISSUER_LIST</b> option. If the server requests the /// client certificate, but does not require it, the application can alternately call WinHttpSetOption with the /// <b>WINHTTP_OPTION_CLIENT_CERT_CONTEXT</b> option. In this case, the application specifies the /// WINHTTP_NO_CLIENT_CERT_CONTEXT macro in the <i>lpBuffer</i> parameter of <b>WinHttpSetOption</b>. For more /// information, see the <b>WINHTTP_OPTION_CLIENT_CERT_CONTEXT</b> option.<b>Windows Server 2003 with SP1, Windows XP /// with SP2 and Windows 2000: </b>This error is not supported. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_CONNECTION_ERROR</b></dt> </dl> </td> <td width="60%"> The connection with the server has /// been reset or terminated, or an incompatible SSL protocol was encountered. For example, WinHTTP version 5.1 does /// not support SSL2 unless the client specifically enables it. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td width="60%"> The requested operation cannot /// be carried out because the handle supplied is not in the correct state. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The type of handle supplied is /// incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> /// </dl> </td> <td width="60%"> An internal error has occurred. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INVALID_URL</b></dt> </dl> </td> <td width="60%"> The URL is invalid. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_LOGIN_FAILURE</b></dt> </dl> </td> <td width="60%"> The login attempt /// failed. When this error is encountered, the request handle should be closed with WinHttpCloseHandle. A new /// request handle must be created before retrying the function that originally produced this error. </td> </tr> <tr> /// <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_NAME_NOT_RESOLVED</b></dt> </dl> </td> <td width="60%"> The server /// name cannot be resolved. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_OPERATION_CANCELLED</b></dt> /// </dl> </td> <td width="60%"> The operation was canceled, usually because the handle on which the request was /// operating was closed before the operation completed. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_RESPONSE_DRAIN_OVERFLOW</b></dt> </dl> </td> <td width="60%"> Returned when an incoming /// response exceeds an internal WinHTTP size limit. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_SECURE_FAILURE</b></dt> </dl> </td> <td width="60%"> One or more errors were found in the /// Secure Sockets Layer (SSL) certificate sent by the server. To determine what type of error was encountered, /// verify through a WINHTTP_CALLBACK_STATUS_SECURE_FAILURE notification in a status callback function. For more /// information, see WINHTTP_STATUS_CALLBACK. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_SHUTDOWN</b></dt> </dl> </td> <td width="60%"> The WinHTTP function support is shut down or /// unloaded. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_TIMEOUT</b></dt> </dl> </td> <td /// width="60%"> The request timed out. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_UNRECOGNIZED_SCHEME</b></dt> </dl> </td> <td width="60%"> The URL specified a scheme other /// than "http:" or "https:". </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> /// </td> <td width="60%"> Not enough memory was available to complete the requested operation. (Windows error code) /// <b>Windows Server 2003, Windows XP and Windows 2000: </b>The TCP reservation range set with the /// <b>WINHTTP_OPTION_PORT_RESERVATION</b> option is not large enough to send this request. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> The content length /// specified in the <i>dwTotalLength</i> parameter does not match the length specified in the Content-Length header. /// The <i>lpOptional</i> parameter must be <b>NULL</b> and the <i>dwOptionalLength</i> parameter must be zero when /// the Transfer-Encoding header is present. The Content-Length header cannot be present when the Transfer-Encoding /// header is present. </td> </tr> <tr> <td width="40%"> <dl> <dt><b> ERROR_WINHTTP_RESEND_REQUEST</b></dt> </dl> /// </td> <td width="60%"> The application must call WinHttpSendRequest again due to a redirect or authentication /// challenge. <b>Windows Server 2003 with SP1, Windows XP with SP2 and Windows 2000: </b>This error is not /// supported. </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpSendRequest(void* hRequest, const(PWSTR) lpszHeaders, uint dwHeadersLength, void* lpOptional, uint dwOptionalLength, uint dwTotalLength, size_t dwContext); ///The <b>WinHttpSetCredentials</b> function passes the required authorization credentials to the server. ///Params: /// hRequest = Valid HINTERNET handle returned by WinHttpOpenRequest. /// AuthTargets = An unsigned integer that specifies a flag that contains the authentication target. Can be one of the values in /// the following table. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="WINHTTP_AUTH_TARGET_SERVER"></a><a id="winhttp_auth_target_server"></a><dl> /// <dt><b>WINHTTP_AUTH_TARGET_SERVER</b></dt> </dl> </td> <td width="60%"> Credentials are passed to a server. </td> /// </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_TARGET_PROXY"></a><a id="winhttp_auth_target_proxy"></a><dl> /// <dt><b>WINHTTP_AUTH_TARGET_PROXY</b></dt> </dl> </td> <td width="60%"> Credentials are passed to a proxy. </td> /// </tr> </table> /// AuthScheme = An unsigned integer that specifies a flag that contains the authentication scheme. Must be one of the supported /// authentication schemes returned from WinHttpQueryAuthSchemes. The following table identifies the possible values. /// <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_BASIC"></a><a /// id="winhttp_auth_scheme_basic"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_BASIC</b></dt> </dl> </td> <td width="60%"> /// Use basic authentication. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_NTLM"></a><a /// id="winhttp_auth_scheme_ntlm"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_NTLM</b></dt> </dl> </td> <td width="60%"> Use /// NTLM authentication. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_PASSPORT"></a><a /// id="winhttp_auth_scheme_passport"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_PASSPORT</b></dt> </dl> </td> <td /// width="60%"> Use passport authentication. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_AUTH_SCHEME_DIGEST"></a><a id="winhttp_auth_scheme_digest"></a><dl> /// <dt><b>WINHTTP_AUTH_SCHEME_DIGEST</b></dt> </dl> </td> <td width="60%"> Use digest authentication. </td> </tr> /// <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_NEGOTIATE"></a><a id="winhttp_auth_scheme_negotiate"></a><dl> /// <dt><b>WINHTTP_AUTH_SCHEME_NEGOTIATE</b></dt> </dl> </td> <td width="60%"> Selects between NTLM and Kerberos /// authentication. </td> </tr> </table> /// pwszUserName = Pointer to a string that contains a valid user name. /// pwszPassword = Pointer to a string that contains a valid password. The password can be blank. /// pAuthParams = This parameter is reserved and must be <b>NULL</b>. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// The following table identifies the error codes returned. <table> <tr> <th>Error Code</th> <th>Description</th> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td /// width="60%"> The requested operation cannot be carried out because the handle supplied is not in the correct /// state. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td /// width="60%"> The type of handle supplied is incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough /// memory was available to complete the requested operation (Windows error code). </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpSetCredentials(void* hRequest, uint AuthTargets, uint AuthScheme, const(PWSTR) pwszUserName, const(PWSTR) pwszPassword, void* pAuthParams); ///The <b>WinHttpQueryAuthSchemes</b> function returns the authorization schemes that are supported by the server. ///Params: /// hRequest = Valid HINTERNET handle returned by WinHttpOpenRequest /// lpdwSupportedSchemes = An unsigned integer that specifies a flag that contains the supported authentication schemes. This parameter can /// return one or more flags that are identified in the following table. <table> <tr> <th>Value</th> <th>Meaning</th> /// </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_BASIC"></a><a id="winhttp_auth_scheme_basic"></a><dl> /// <dt><b>WINHTTP_AUTH_SCHEME_BASIC</b></dt> </dl> </td> <td width="60%"> Indicates basic authentication is /// available. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_NTLM"></a><a /// id="winhttp_auth_scheme_ntlm"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_NTLM</b></dt> </dl> </td> <td width="60%"> /// Indicates NTLM authentication is available. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_AUTH_SCHEME_PASSPORT"></a><a id="winhttp_auth_scheme_passport"></a><dl> /// <dt><b>WINHTTP_AUTH_SCHEME_PASSPORT</b></dt> </dl> </td> <td width="60%"> Indicates passport authentication is /// available. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_DIGEST"></a><a /// id="winhttp_auth_scheme_digest"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_DIGEST</b></dt> </dl> </td> <td width="60%"> /// Indicates digest authentication is available. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_AUTH_SCHEME_NEGOTIATE"></a><a id="winhttp_auth_scheme_negotiate"></a><dl> /// <dt><b>WINHTTP_AUTH_SCHEME_NEGOTIATE</b></dt> </dl> </td> <td width="60%"> Selects between NTLM and Kerberos /// authentication. </td> </tr> </table> /// lpdwFirstScheme = An unsigned integer that specifies a flag that contains the first authentication scheme listed by the server. /// This parameter can return one or more flags that are identified in the following table. <table> <tr> /// <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_BASIC"></a><a /// id="winhttp_auth_scheme_basic"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_BASIC</b></dt> </dl> </td> <td width="60%"> /// Indicates basic authentication is first. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_NTLM"></a><a /// id="winhttp_auth_scheme_ntlm"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_NTLM</b></dt> </dl> </td> <td width="60%"> /// Indicates NTLM authentication is first. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_AUTH_SCHEME_PASSPORT"></a><a id="winhttp_auth_scheme_passport"></a><dl> /// <dt><b>WINHTTP_AUTH_SCHEME_PASSPORT</b></dt> </dl> </td> <td width="60%"> Indicates passport authentication is /// first. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTH_SCHEME_DIGEST"></a><a /// id="winhttp_auth_scheme_digest"></a><dl> <dt><b>WINHTTP_AUTH_SCHEME_DIGEST</b></dt> </dl> </td> <td width="60%"> /// Indicates digest authentication is first. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_AUTH_SCHEME_NEGOTIATE"></a><a id="winhttp_auth_scheme_negotiate"></a><dl> /// <dt><b>WINHTTP_AUTH_SCHEME_NEGOTIATE</b></dt> </dl> </td> <td width="60%"> Selects between NTLM and Kerberos /// authentication. </td> </tr> </table> /// pdwAuthTarget = An unsigned integer that specifies a flag that contains the authentication target. This parameter can return one /// or more flags that are identified in the following table. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> /// <td width="40%"><a id="WINHTTP_AUTH_TARGET_SERVER"></a><a id="winhttp_auth_target_server"></a><dl> /// <dt><b>WINHTTP_AUTH_TARGET_SERVER</b></dt> </dl> </td> <td width="60%"> Authentication target is a server. /// Indicates that a 401 status code has been received. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_AUTH_TARGET_PROXY"></a><a id="winhttp_auth_target_proxy"></a><dl> /// <dt><b>WINHTTP_AUTH_TARGET_PROXY</b></dt> </dl> </td> <td width="60%"> Authentication target is a proxy. /// Indicates that a 407 status code has been received. </td> </tr> </table> ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> if unsuccessful. To get extended error information, call /// GetLastError. The following table identifies the error codes that are returned. <table> <tr> <th>Error Code</th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> /// </td> <td width="60%"> The type of handle supplied is incorrect for this operation. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has /// occurred. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td /// width="60%"> Not enough memory was available to complete the requested operation. (Windows error code) </td> /// </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpQueryAuthSchemes(void* hRequest, uint* lpdwSupportedSchemes, uint* lpdwFirstScheme, uint* pdwAuthTarget); ///The <b>WinHttpReceiveResponse</b> function waits to receive the response to an HTTP request initiated by ///WinHttpSendRequest. When <b>WinHttpReceiveResponse</b> completes successfully, the status code and response headers ///have been received and are available for the application to inspect using WinHttpQueryHeaders. An application must ///call <b>WinHttpReceiveResponse</b> before it can use WinHttpQueryDataAvailable and WinHttpReadData to access the ///response entity body (if any). ///Params: /// hRequest = HINTERNET handle returned by WinHttpOpenRequest and sent by WinHttpSendRequest. Wait until /// <b>WinHttpSendRequest</b> has completed for this handle before calling <b>WinHttpReceiveResponse</b>. /// lpReserved = This parameter is reserved and must be <b>NULL</b>. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// Among the error codes returned are the following. <table> <tr> <th>Error Code</th> <th>Description</th> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_CANNOT_CONNECT</b></dt> </dl> </td> <td width="60%"> Returned if /// connection to the server failed. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_CHUNKED_ENCODING_HEADER_SIZE_OVERFLOW</b></dt> </dl> </td> <td width="60%"> Returned when an /// overflow condition is encountered in the course of parsing chunked encoding. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_WINHTTP_CLIENT_AUTH_CERT_NEEDED</b></dt> </dl> </td> <td width="60%"> Returned when the server /// requests client authentication. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_CONNECTION_ERROR</b></dt> </dl> </td> <td width="60%"> The connection with the server has /// been reset or terminated, or an incompatible SSL protocol was encountered. For example, WinHTTP version 5.1 does /// not support SSL2 unless the client specifically enables it. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_HEADER_COUNT_EXCEEDED</b></dt> </dl> </td> <td width="60%"> Returned when a larger number of /// headers were present in a response than WinHTTP could receive. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_HEADER_SIZE_OVERFLOW</b></dt> </dl> </td> <td width="60%"> Returned by /// WinHttpReceiveResponse when the size of headers received exceeds the limit for the request handle. </td> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td width="60%"> The /// requested operation cannot be carried out because the handle supplied is not in the correct state. </td> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The /// type of handle supplied is incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error has occurred. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INVALID_SERVER_RESPONSE</b></dt> </dl> </td> <td /// width="60%"> The server response could not be parsed. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INVALID_URL</b></dt> </dl> </td> <td width="60%"> The URL is invalid. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_LOGIN_FAILURE</b></dt> </dl> </td> <td width="60%"> The login attempt /// failed. When this error is encountered, the request handle should be closed with WinHttpCloseHandle. A new /// request handle must be created before retrying the function that originally produced this error. </td> </tr> <tr> /// <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_NAME_NOT_RESOLVED</b></dt> </dl> </td> <td width="60%"> The server /// name could not be resolved. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_OPERATION_CANCELLED</b></dt> </dl> </td> <td width="60%"> The operation was canceled, /// usually because the handle on which the request was operating was closed before the operation completed. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_REDIRECT_FAILED</b></dt> </dl> </td> <td width="60%"> The /// redirection failed because either the scheme changed or all attempts made to redirect failed (default is five /// attempts). </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_RESEND_REQUEST</b></dt> </dl> </td> <td /// width="60%"> The WinHTTP function failed. The desired function can be retried on the same request handle. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_RESPONSE_DRAIN_OVERFLOW</b></dt> </dl> </td> <td /// width="60%"> Returned when an incoming response exceeds an internal WinHTTP size limit. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_SECURE_FAILURE</b></dt> </dl> </td> <td width="60%"> One or more errors /// were found in the Secure Sockets Layer (SSL) certificate sent by the server. To determine what type of error was /// encountered, check for a WINHTTP_CALLBACK_STATUS_SECURE_FAILURE notification in a status callback function. For /// more information, see WINHTTP_STATUS_CALLBACK. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_TIMEOUT</b></dt> </dl> </td> <td width="60%"> The request has timed out. </td> </tr> <tr> /// <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_UNRECOGNIZED_SCHEME</b></dt> </dl> </td> <td width="60%"> The URL /// specified a scheme other than "http:" or "https:". </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpReceiveResponse(void* hRequest, void* lpReserved); ///The <b>WinHttpQueryHeaders</b> function retrieves header information associated with an HTTP request. ///Params: /// hRequest = HINTERNET request handle returned by WinHttpOpenRequest. WinHttpReceiveResponse must have been called for this /// handle and have completed before <b>WinHttpQueryHeaders</b> is called. /// dwInfoLevel = Value of type <b>DWORD</b> that specifies a combination of attribute and modifier flags listed on the Query Info /// Flags page. These attribute and modifier flags indicate that the information is being requested and how it is to /// be formatted. /// pwszName = Pointer to a string that contains the header name. If the flag in <i>dwInfoLevel</i> is not /// <b>WINHTTP_QUERY_CUSTOM</b>, set this parameter to WINHTTP_HEADER_NAME_BY_INDEX. /// lpBuffer = Pointer to the buffer that receives the information. Setting this parameter to WINHTTP_NO_OUTPUT_BUFFER causes /// this function to return <b>FALSE</b>. Calling GetLastError then returns <b>ERROR_INSUFFICIENT_BUFFER</b> and /// <i>lpdwBufferLength</i> contains the number of bytes required to hold the requested information. /// lpdwBufferLength = Pointer to a value of type <b>DWORD</b> that specifies the length of the data buffer, in bytes. When the function /// returns, this parameter contains the pointer to a value that specifies the length of the information written to /// the buffer. When the function returns strings, the following rules apply. <ul> <li>If the function succeeds, /// <i>lpdwBufferLength</i> specifies the length of the string, in bytes, minus 2 for the terminating null. </li> /// <li>If the function fails and <b>ERROR_INSUFFICIENT_BUFFER</b> is returned, <i>lpdwBufferLength</i> specifies the /// number of bytes that the application must allocate to receive the string. </li> </ul> /// lpdwIndex = Pointer to a zero-based header index used to enumerate multiple headers with the same name. When calling the /// function, this parameter is the index of the specified header to return. When the function returns, this /// parameter is the index of the next header. If the next index cannot be found, /// <b>ERROR_WINHTTP_HEADER_NOT_FOUND</b> is returned. Set this parameter to WINHTTP_NO_HEADER_INDEX to specify that /// only the first occurrence of a header should be returned. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. To get extended error information, call /// GetLastError. Among the error codes returned are the following. <table> <tr> <th>Error Code</th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_HEADER_NOT_FOUND</b></dt> </dl> </td> /// <td width="60%"> The requested header could not be located. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_STATE</b></dt> </dl> </td> <td width="60%"> The requested operation cannot /// be carried out because the handle supplied is not in the correct state. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The type of handle supplied is /// incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> /// </dl> </td> <td width="60%"> An internal error has occurred. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpQueryHeaders(void* hRequest, uint dwInfoLevel, const(PWSTR) pwszName, void* lpBuffer, uint* lpdwBufferLength, uint* lpdwIndex); ///The <b>WinHttpDetectAutoProxyConfigUrl</b> function finds the URL for the Proxy Auto-Configuration (PAC) file. This ///function reports the URL of the PAC file, but it does not download the file. ///Params: /// dwAutoDetectFlags = A data type that specifies what protocols to use to locate the PAC file. If both the DHCP and DNS auto detect /// flags are set, DHCP is used first; if no PAC URL is discovered using DHCP, then DNS is used. <table> <tr> /// <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a id="WINHTTP_AUTO_DETECT_TYPE_DHCP"></a><a /// id="winhttp_auto_detect_type_dhcp"></a><dl> <dt><b>WINHTTP_AUTO_DETECT_TYPE_DHCP</b></dt> </dl> </td> <td /// width="60%"> Use DHCP to locate the proxy auto-configuration file. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_AUTO_DETECT_TYPE_DNS_A"></a><a id="winhttp_auto_detect_type_dns_a"></a><dl> /// <dt><b>WINHTTP_AUTO_DETECT_TYPE_DNS_A</b></dt> </dl> </td> <td width="60%"> Use DNS to attempt to locate the /// proxy auto-configuration file at a well-known location on the domain of the local computer. </td> </tr> </table> /// ppwstrAutoConfigUrl = A data type that returns a pointer to a null-terminated Unicode string that contains the configuration URL that /// receives the proxy data. You must free the string pointed to by <i>ppwszAutoConfigUrl</i> using the GlobalFree /// function. ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// Among the error codes returned are the following. <table> <tr> <th>Error Code</th> <th>Description</th> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_AUTODETECTION_FAILED</b></dt> </dl> </td> <td width="60%"> /// Returned if WinHTTP was unable to discover the URL of the Proxy Auto-Configuration (PAC) file. </td> </tr> <tr> /// <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> </dl> </td> <td width="60%"> An internal error /// has occurred. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td /// width="60%"> Not enough memory was available to complete the requested operation. (Windows error code) </td> /// </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpDetectAutoProxyConfigUrl(uint dwAutoDetectFlags, PWSTR* ppwstrAutoConfigUrl); ///The <b>WinHttpGetProxyForUrl</b> function retrieves the proxy data for the specified URL. ///Params: /// hSession = The WinHTTP session handle returned by the WinHttpOpen function. /// lpcwszUrl = A pointer to a null-terminated Unicode string that contains the URL of the HTTP request that the application is /// preparing to send. /// pAutoProxyOptions = A pointer to a WINHTTP_AUTOPROXY_OPTIONS structure that specifies the auto-proxy options to use. /// pProxyInfo = A pointer to a WINHTTP_PROXY_INFO structure that receives the proxy setting. This structure is then applied to /// the request handle using the WINHTTP_OPTION_PROXY option. Free the <b>lpszProxy</b> and <b>lpszProxyBypass</b> /// strings contained in this structure (if they are non-NULL) using the GlobalFree function. ///Returns: /// If the function succeeds, the function returns <b>TRUE</b>. If the function fails, it returns <b>FALSE</b>. For /// extended error data, call GetLastError. Possible error codes include the folllowing. <table> <tr> <th>Error /// Code</th> <th>Description</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_AUTO_PROXY_SERVICE_ERROR</b></dt> </dl> </td> <td width="60%"> Returned by /// WinHttpGetProxyForUrl when a proxy for the specified URL cannot be located. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_WINHTTP_BAD_AUTO_PROXY_SCRIPT</b></dt> </dl> </td> <td width="60%"> An error occurred executing /// the script code in the Proxy Auto-Configuration (PAC) file. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The type of handle supplied is /// incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> /// </dl> </td> <td width="60%"> An internal error has occurred. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INVALID_URL</b></dt> </dl> </td> <td width="60%"> The URL is invalid. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_LOGIN_FAILURE</b></dt> </dl> </td> <td width="60%"> The login attempt /// failed. When this error is encountered, close the request handle with WinHttpCloseHandle. A new request handle /// must be created before retrying the function that originally produced this error. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_WINHTTP_OPERATION_CANCELLED</b></dt> </dl> </td> <td width="60%"> The operation /// was canceled, usually because the handle on which the request was operating was closed before the operation /// completed. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_UNABLE_TO_DOWNLOAD_SCRIPT</b></dt> </dl> /// </td> <td width="60%"> The PAC file could not be downloaded. For example, the server referenced by the PAC URL /// may not have been reachable, or the server returned a 404 NOT FOUND response. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_WINHTTP_UNRECOGNIZED_SCHEME</b></dt> </dl> </td> <td width="60%"> The URL of the PAC file /// specified a scheme other than "http:" or "https:". </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpGetProxyForUrl(void* hSession, const(PWSTR) lpcwszUrl, WINHTTP_AUTOPROXY_OPTIONS* pAutoProxyOptions, WINHTTP_PROXY_INFO* pProxyInfo); ///The <b>WinHttpCreateProxyResolver</b> function creates a handle for use by WinHttpGetProxyForUrlEx. ///Params: /// hSession = Valid HINTERNET WinHTTP session handle returned by a previous call to WinHttpOpen. The session handle must be /// opened using <b>WINHTTP_FLAG_ASYNC</b>. /// phResolver = A pointer to a new handle for use by WinHttpGetProxyForUrlEx. When finished or cancelling an outstanding /// operation, close this handle with WinHttpCloseHandle. @DllImport("WINHTTP") uint WinHttpCreateProxyResolver(void* hSession, void** phResolver); ///The <b>WinHttpGetProxyForUrlEx</b> function retrieves the proxy data for the specified URL. ///Params: /// hResolver = The WinHTTP resolver handle returned by the WinHttpCreateProxyResolver function. /// pcwszUrl = A pointer to a null-terminated Unicode string that contains a URL for which proxy information will be determined. /// pAutoProxyOptions = A pointer to a WINHTTP_AUTOPROXY_OPTIONS structure that specifies the auto-proxy options to use. /// pContext = Context data that will be passed to the completion callback function. ///Returns: /// A status code indicating the result of the operation. <table> <tr> <th>The following codes may be returned.</th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_IO_PENDING</b></dt> </dl> </td> <td /// width="60%"> The operation is continuing asynchronously. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_AUTO_PROXY_SERVICE_ERROR</b></dt> </dl> </td> <td width="60%"> Returned by /// WinHttpGetProxyForUrlEx when a proxy for the specified URL cannot be located. </td> </tr> <tr> <td width="40%"> /// <dl> <dt><b>ERROR_WINHTTP_BAD_AUTO_PROXY_SCRIPT</b></dt> </dl> </td> <td width="60%"> An error occurred executing /// the script code in the Proxy Auto-Configuration (PAC) file. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE_TYPE</b></dt> </dl> </td> <td width="60%"> The type of handle supplied is /// incorrect for this operation. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INVALID_URL</b></dt> /// </dl> </td> <td width="60%"> The URL is invalid. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_OPERATION_CANCELLED</b></dt> </dl> </td> <td width="60%"> The operation was canceled, /// usually because the handle on which the request was operating was closed before the operation completed. </td> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_UNABLE_TO_DOWNLOAD_SCRIPT</b></dt> </dl> </td> <td /// width="60%"> The PAC file could not be downloaded. For example, the server referenced by the PAC URL may not have /// been reachable, or the server returned a 404 NOT FOUND response. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_UNRECOGNIZED_SCHEME</b></dt> </dl> </td> <td width="60%"> The URL of the PAC file specified /// a scheme other than "http:" or "https:". </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") uint WinHttpGetProxyForUrlEx(void* hResolver, const(PWSTR) pcwszUrl, WINHTTP_AUTOPROXY_OPTIONS* pAutoProxyOptions, size_t pContext); @DllImport("WINHTTP") uint WinHttpGetProxyForUrlEx2(void* hResolver, const(PWSTR) pcwszUrl, WINHTTP_AUTOPROXY_OPTIONS* pAutoProxyOptions, uint cbInterfaceSelectionContext, ubyte* pInterfaceSelectionContext, size_t pContext); ///The <b>WinHttpGetProxyResult</b> function retrieves the results of a call to WinHttpGetProxyForUrlEx. ///Params: /// hResolver = The resolver handle used to issue a previously completed call to WinHttpGetProxyForUrlEx. /// pProxyResult = A pointer to a WINHTTP_PROXY_RESULT structure that contains the results of a previous call to /// WinHttpGetProxyForUrlEx. The results must be freed by calling WinHttpFreeProxyResult. @DllImport("WINHTTP") uint WinHttpGetProxyResult(void* hResolver, WINHTTP_PROXY_RESULT* pProxyResult); @DllImport("WINHTTP") uint WinHttpGetProxyResultEx(void* hResolver, WINHTTP_PROXY_RESULT_EX* pProxyResultEx); ///The <b>WinHttpFreeProxyResult</b> function frees the data retrieved from a previous call to WinHttpGetProxyResult. ///Params: /// pProxyResult = A pointer to a WINHTTP_PROXY_RESULT structure retrieved from a previous call to WinHttpGetProxyResult. ///Returns: /// This function does not return a value. /// @DllImport("WINHTTP") void WinHttpFreeProxyResult(WINHTTP_PROXY_RESULT* pProxyResult); @DllImport("WINHTTP") void WinHttpFreeProxyResultEx(WINHTTP_PROXY_RESULT_EX* pProxyResultEx); ///The <b>WinHttpResetAutoProxy</b> function resets the auto-proxy. ///Params: /// hSession = A valid HINTERNET WinHTTP session handle returned by a previous call to the WinHttpOpen function. /// dwFlags = A set of flags that affects the reset operation. The following flags are supported as defined in the /// <i>Winhttp.h</i> header file. <table> <tr> <th>Value</th> <th>Meaning</th> </tr> <tr> <td width="40%"><a /// id="WINHTTP_RESET_STATE"></a><a id="winhttp_reset_state"></a><dl> <dt><b>WINHTTP_RESET_STATE</b></dt> /// <dt>0x00000001</dt> </dl> </td> <td width="60%"> Forces a flush and retry of non-persistent proxy information on /// the current network. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_RESET_SWPAD_CURRENT_NETWORK"></a><a /// id="winhttp_reset_swpad_current_network"></a><dl> <dt><b>WINHTTP_RESET_SWPAD_CURRENT_NETWORK</b></dt> /// <dt>0x00000002</dt> </dl> </td> <td width="60%"> Flush the PAD information for the current network. </td> </tr> /// <tr> <td width="40%"><a id="WINHTTP_RESET_SWPAD_ALL"></a><a id="winhttp_reset_swpad_all"></a><dl> /// <dt><b>WINHTTP_RESET_SWPAD_ALL</b></dt> <dt>0x00000004</dt> </dl> </td> <td width="60%"> Flush the PAD /// information for all networks. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_RESET_SCRIPT_CACHE"></a><a /// id="winhttp_reset_script_cache"></a><dl> <dt><b>WINHTTP_RESET_SCRIPT_CACHE</b></dt> <dt>0x00000008</dt> </dl> /// </td> <td width="60%"> Flush the persistent HTTP cache of proxy scripts. </td> </tr> <tr> <td width="40%"><a /// id="WINHTTP_RESET_ALL"></a><a id="winhttp_reset_all"></a><dl> <dt><b>WINHTTP_RESET_ALL</b></dt> /// <dt>0x0000FFFF</dt> </dl> </td> <td width="60%"> Forces a flush and retry of all proxy information on the current /// network. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_RESET_NOTIFY_NETWORK_CHANGED"></a><a /// id="winhttp_reset_notify_network_changed"></a><dl> <dt><b>WINHTTP_RESET_NOTIFY_NETWORK_CHANGED</b></dt> /// <dt>0x00010000</dt> </dl> </td> <td width="60%"> Flush the current proxy information and notify that the network /// changed. </td> </tr> <tr> <td width="40%"><a id="WINHTTP_RESET_OUT_OF_PROC"></a><a /// id="winhttp_reset_out_of_proc"></a><dl> <dt><b>WINHTTP_RESET_OUT_OF_PROC</b></dt> <dt>0x00020000</dt> </dl> </td> /// <td width="60%"> Act on the autoproxy service instead of the current process. <div class="alert"><b>Note</b> This /// flag is required.</div> <div> </div> Applications that use the WinHttpGetProxyForUrl function to purge in-process /// caching should close the <i>hInternet</i> handle and open a new handle for future calls. </td> </tr> </table> ///Returns: /// A code indicating the success or failure of the operation. <table> <tr> <th>Return code</th> <th>Description</th> /// </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_SUCCESS</b></dt> </dl> </td> <td width="60%"> The operation was /// successful. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_HANDLE</b></dt> </dl> </td> <td /// width="60%"> The <i>hSession</i> parameter is not a valid handle. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_WINHTTP_INCORRECT_HANDLE TYPE</b></dt> </dl> </td> <td width="60%"> The <i>hSession</i> parameter is /// not the product of a call to WinHttpOpen. </td> </tr> </table> /// @DllImport("WINHTTP") uint WinHttpResetAutoProxy(void* hSession, uint dwFlags); ///The <b>WinHttpGetIEProxyConfigForCurrentUser</b> function retrieves the Internet Explorer proxy configuration for the ///current user. ///Params: /// pProxyConfig = A pointer, on input, to a WINHTTP_CURRENT_USER_IE_PROXY_CONFIG structure. On output, the structure contains the /// Internet Explorer proxy settings for the current active network connection (for example, LAN, dial-up, or VPN /// connection). ///Returns: /// Returns <b>TRUE</b> if successful, or <b>FALSE</b> otherwise. For extended error information, call GetLastError. /// Among the error codes returned are the following. <table> <tr> <th>Error Code</th> <th>Description</th> </tr> /// <tr> <td width="40%"> <dl> <dt><b>ERROR_FILE_NOT_FOUND</b></dt> </dl> </td> <td width="60%"> No Internet Explorer /// proxy settings can be found. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_WINHTTP_INTERNAL_ERROR</b></dt> /// </dl> </td> <td width="60%"> An internal error has occurred. </td> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_NOT_ENOUGH_MEMORY</b></dt> </dl> </td> <td width="60%"> Not enough memory was available to complete /// the requested operation. (Windows error code) </td> </tr> </table> /// @DllImport("WINHTTP") BOOL WinHttpGetIEProxyConfigForCurrentUser(WINHTTP_CURRENT_USER_IE_PROXY_CONFIG* pProxyConfig); @DllImport("WINHTTP") uint WinHttpWriteProxySettings(void* hSession, BOOL fForceUpdate, WINHTTP_PROXY_SETTINGS* pWinHttpProxySettings); @DllImport("WINHTTP") uint WinHttpReadProxySettings(void* hSession, const(PWSTR) pcwszConnectionName, BOOL fFallBackToDefaultSettings, BOOL fSetAutoDiscoverForDefaultSettings, uint* pdwSettingsVersion, BOOL* pfDefaultSettingsAreReturned, WINHTTP_PROXY_SETTINGS* pWinHttpProxySettings); @DllImport("WINHTTP") void WinHttpFreeProxySettings(WINHTTP_PROXY_SETTINGS* pWinHttpProxySettings); @DllImport("WINHTTP") uint WinHttpGetProxySettingsVersion(void* hSession, uint* pdwProxySettingsVersion); @DllImport("WINHTTP") uint WinHttpSetProxySettingsPerUser(BOOL fProxySettingsPerUser); ///The <b>WinHttpWebSocketCompleteUpgrade</b> function completes a WebSocket handshake started by WinHttpSendRequest. ///Params: /// hRequest = Type: <b>HINTERNET</b> HTTP request handle used to send a WebSocket handshake. /// pContext = Type: <b>DWORD_PTR</b> Context to be associated with the new handle. ///Returns: /// Type: <b>HINTERNET</b> A new WebSocket handle. If NULL, call GetLastError to determine the cause of failure. /// @DllImport("WINHTTP") void* WinHttpWebSocketCompleteUpgrade(void* hRequest, size_t pContext); ///The <b>WinHttpWebSocketSend</b> function sends data over a WebSocket connection. ///Params: /// hWebSocket = Type: <b>HINTERNET</b> Handle to a websocket. /// eBufferType = Type: <b>WINHTTP_WEB_SOCKET_BUFFER_TYPE</b> Type of buffer.<div class="alert"><b>Note</b> Do not specify /// <b>WINHTTP_WEB_SOCKET_CLOSE_BUFFER_TYPE</b>. Use WinHttpWebSocketClose or WinHttpWebSocketShutdown to close the /// connection.</div> <div> </div> /// pvBuffer = Type: <b>PVOID</b> Pointer to a buffer containing the data to send. Can be <b>NULL</b> only if /// <i>dwBufferLength</i> is 0. /// dwBufferLength = Type: <b>DWORD</b> Length of <i>pvBuffer</i>. ///Returns: /// Type: <b>DWORD</b> <b>NO_ERROR</b> on success. Otherwise an error code. <table> <tr> <th></th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_OPERATION</b></dt> </dl> </td> <td /// width="60%"> A close or send is pending, or the send channel has already been closed. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> A parameter is invalid. /// </td> </tr> </table> /// @DllImport("WINHTTP") uint WinHttpWebSocketSend(void* hWebSocket, WINHTTP_WEB_SOCKET_BUFFER_TYPE eBufferType, void* pvBuffer, uint dwBufferLength); ///The <b>WinHttpWebSocketReceive</b> function receives data from a WebSocket connection. ///Params: /// hWebSocket = Type: <b>HINTERNET</b> Handle to a WebSocket. /// pvBuffer = Type: <b>PVOID</b> Pointer to a buffer to receive the data. /// dwBufferLength = Type: <b>DWORD</b> Length of <i>pvBuffer</i>, in bytes. /// pdwBytesRead = Type: <b>DWORD*</b> Pointer to a <b>DWORD</b> that receives the number of bytes read from the connection at the /// end of the operation. This is set only if <b>WinHttpWebSocketReceive</b> returns <b>NO_ERROR</b> and the handle /// was opened in synchronous mode. /// peBufferType = Type: <b>WINHTTP_WEB_SOCKET_BUFFER_TYPE*</b> The type of a returned buffer. This is only set if /// <b>WinHttpWebSocketReceive</b> returns <b>NO_ERROR</b> and the handle was opened in synchronous mode. @DllImport("WINHTTP") uint WinHttpWebSocketReceive(void* hWebSocket, void* pvBuffer, uint dwBufferLength, uint* pdwBytesRead, WINHTTP_WEB_SOCKET_BUFFER_TYPE* peBufferType); ///The <b>WinHttpWebSocketShutdown</b> function sends a close frame to a WebSocket server to close the send channel, but ///leaves the receive channel open. ///Params: /// hWebSocket = Type: <b>HINTERNET</b> Handle to a WebSocket.<div class="alert"><b>Note</b> <b>WinHttpWebSocketShutdown</b> does /// not close this handle. To close the handle, call WinHttpCloseHandle on <i>hWebSocket</i> once it is no longer /// needed.</div> <div> </div> /// usStatus = Type: <b>USHORT</b> A close status code. See WINHTTP_WEB_SOCKET_CLOSE_STATUS for possible values. /// pvReason = Type: <b>PVOID</b> A detailed reason for the close. /// dwReasonLength = Type: <b>DWORD</b> The length of <i>pvReason</i>, in bytes. If <i>pvReason</i> is NULL, this must be 0. This /// value must be within the range of 0 to 123. ///Returns: /// Type: <b>DWORD</b> With the following exception, all error codes indicate that the underlying TCP connection has /// been aborted. <table> <tr> <th></th> <th>Description</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_IO_PENDING</b></dt> </dl> </td> <td width="60%"> The operation will complete asynchronously. </td> /// </tr> </table> /// @DllImport("WINHTTP") uint WinHttpWebSocketShutdown(void* hWebSocket, ushort usStatus, void* pvReason, uint dwReasonLength); ///The <b>WinHttpWebSocketClose</b> function closes a WebSocket connection. ///Params: /// hWebSocket = Type: <b>HINTERNET</b> Handle to a WebSocket.<div class="alert"><b>Note</b> <b>WinHttpWebSocketClose</b> does not /// close this handle. To close the handle, call WinHttpCloseHandle on <i>hWebSocket</i> once it is no longer /// needed.</div> <div> </div> /// usStatus = Type: <b>USHORT</b> A close status code. See WINHTTP_WEB_SOCKET_CLOSE_STATUS for possible values. /// pvReason = Type: <b>PVOID</b> A detailed reason for the close. /// dwReasonLength = Type: <b>DWORD</b> The length of <i>pvReason</i>, in bytes. If <i>pvReason</i> is NULL, this must be 0. This /// value must be within the range of 0 to 123. ///Returns: /// Type: <b>DWORD</b> With the following exception, all error codes indicate that the underlying TCP connection has /// been aborted. <table> <tr> <th></th> <th>Description</th> </tr> <tr> <td width="40%"> <dl> /// <dt><b>ERROR_INVALID_OPERATION</b></dt> </dl> </td> <td width="60%"> A close or send is pending. </td> </tr> <tr> /// <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td width="60%"> A parameter is /// invalid. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_SERVER_RESPONSE</b></dt> </dl> </td> <td /// width="60%"> Invalid data was received from the server. </td> </tr> </table> /// @DllImport("WINHTTP") uint WinHttpWebSocketClose(void* hWebSocket, ushort usStatus, void* pvReason, uint dwReasonLength); ///The <b>WinHttpWebSocketQueryCloseStatus</b> function retrieves the close status sent by a server. ///Params: /// hWebSocket = Type: <b>HINTERNET</b> Handle to a WebSocket /// pusStatus = Type: <b>USHORT*</b> A pointer to a close status code that will be filled upon return. See /// WINHTTP_WEB_SOCKET_CLOSE_STATUS for possible values. /// pvReason = Type: <b>PVOID</b> A pointer to a buffer that will receive a close reason on return. /// dwReasonLength = Type: <b>DWORD</b> The length of the <i>pvReason</i> buffer, in bytes. /// pdwReasonLengthConsumed = Type: <b>DWORD*</b> The number of bytes consumed. If <i>pvReason</i> is <b>NULL</b> and <i>dwReasonLength</i> is /// 0, <i>pdwReasonLengthConsumed</i> will contain the size of the buffer that needs to be allocated by the calling /// application. ///Returns: /// Type: <b>DWORD</b> <b>NO_ERROR</b> on success. Otherwise an error code. <table> <tr> <th></th> /// <th>Description</th> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INSUFFICIENT_BUFFER</b></dt> </dl> </td> <td /// width="60%"> There is not enough space in <i>pvReason</i> to write the whole close reason. </td> </tr> <tr> <td /// width="40%"> <dl> <dt><b>ERROR_INVALID_OPERATION</b></dt> </dl> </td> <td width="60%"> No close frame has been /// received yet. </td> </tr> <tr> <td width="40%"> <dl> <dt><b>ERROR_INVALID_PARAMETER</b></dt> </dl> </td> <td /// width="60%"> A parameter is invalid. </td> </tr> </table> /// @DllImport("WINHTTP") uint WinHttpWebSocketQueryCloseStatus(void* hWebSocket, ushort* pusStatus, void* pvReason, uint dwReasonLength, uint* pdwReasonLengthConsumed);
D
a metrical adaptation of something (e.g., of a prose text) the form or metrical composition of a poem the art or practice of writing verse
D
instrumentality that combines interrelated interacting artifacts designed to work as a coherent entity a group of independent but interrelated elements comprising a unified whole (physical chemistry) a sample of matter in which substances in different phases are in equilibrium a complex of methods or rules governing behavior an organized structure for arranging or classifying a group of physiologically or anatomically related organs or parts a procedure or process for obtaining an objective the living body considered as made up of interdependent components forming a unified whole an ordered manner
D
/* * Copyright (c) 2007-2013 Scott Lembcke and Howling Moon Software * * 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 dchip.cpSweep1D; import core.stdc.stdlib : qsort; import dchip.chipmunk; import dchip.chipmunk_types; import dchip.cpBB; import dchip.cpSpatialIndex; import dchip.util; struct Bounds { cpFloat min = 0, max = 0; } struct TableCell { void* obj; Bounds bounds; } struct cpSweep1D { cpSpatialIndex spatialIndex; int num; int max; TableCell* table; } cpBool BoundsOverlap(Bounds a, Bounds b) { return (a.min <= b.max && b.min <= a.max); } Bounds BBToBounds(cpSweep1D* sweep, cpBB bb) { Bounds bounds = { bb.l, bb.r }; return bounds; } TableCell MakeTableCell(cpSweep1D* sweep, void* obj) { TableCell cell = { obj, BBToBounds(sweep, sweep.spatialIndex.bbfunc(obj)) }; return cell; } cpSweep1D* cpSweep1DAlloc() { return cast(cpSweep1D*)cpcalloc(1, cpSweep1D.sizeof); } void ResizeTable(cpSweep1D* sweep, int size) { sweep.max = size; sweep.table = cast(TableCell*)cprealloc(sweep.table, size * TableCell.sizeof); } cpSpatialIndex* cpSweep1DInit(cpSweep1D* sweep, cpSpatialIndexBBFunc bbfunc, cpSpatialIndex* staticIndex) { cpSpatialIndexInit(cast(cpSpatialIndex*)sweep, Klass(), bbfunc, staticIndex); sweep.num = 0; ResizeTable(sweep, 32); return cast(cpSpatialIndex*)sweep; } cpSpatialIndex* cpSweep1DNew(cpSpatialIndexBBFunc bbfunc, cpSpatialIndex* staticIndex) { return cpSweep1DInit(cpSweep1DAlloc(), bbfunc, staticIndex); } void cpSweep1DDestroy(cpSweep1D* sweep) { cpfree(sweep.table); sweep.table = null; } //MARK: Misc int cpSweep1DCount(cpSweep1D* sweep) { return sweep.num; } void cpSweep1DEach(cpSweep1D* sweep, cpSpatialIndexIteratorFunc func, void* data) { TableCell* table = sweep.table; for (int i = 0, count = sweep.num; i < count; i++) func(table[i].obj, data); } int cpSweep1DContains(cpSweep1D* sweep, void* obj, cpHashValue hashid) { TableCell* table = sweep.table; for (int i = 0, count = sweep.num; i < count; i++) { if (table[i].obj == obj) return cpTrue; } return cpFalse; } //MARK: Basic Operations void cpSweep1DInsert(cpSweep1D* sweep, void* obj, cpHashValue hashid) { if (sweep.num == sweep.max) ResizeTable(sweep, sweep.max * 2); sweep.table[sweep.num] = MakeTableCell(sweep, obj); sweep.num++; } void cpSweep1DRemove(cpSweep1D* sweep, void* obj, cpHashValue hashid) { TableCell* table = sweep.table; for (int i = 0, count = sweep.num; i < count; i++) { if (table[i].obj == obj) { int num = --sweep.num; table[i] = table[num]; table[num].obj = null; return; } } } //MARK: Reindexing Functions void cpSweep1DReindexObject(cpSweep1D* sweep, void* obj, cpHashValue hashid) { // Nothing to do here } void cpSweep1DReindex(cpSweep1D* sweep) { // Nothing to do here // Could perform a sort, but queries are not accelerated anyway. } //MARK: Query Functions void cpSweep1DQuery(cpSweep1D* sweep, void* obj, cpBB bb, cpSpatialIndexQueryFunc func, void* data) { // Implementing binary search here would allow you to find an upper limit // but not a lower limit. Probably not worth the hassle. Bounds bounds = BBToBounds(sweep, bb); TableCell* table = sweep.table; for (int i = 0, count = sweep.num; i < count; i++) { TableCell cell = table[i]; if (BoundsOverlap(bounds, cell.bounds) && obj != cell.obj) func(obj, cell.obj, 0, data); } } void cpSweep1DSegmentQuery(cpSweep1D* sweep, void* obj, cpVect a, cpVect b, cpFloat t_exit, cpSpatialIndexSegmentQueryFunc func, void* data) { cpBB bb = cpBBExpand(cpBBNew(a.x, a.y, a.x, a.y), b); Bounds bounds = BBToBounds(sweep, bb); TableCell* table = sweep.table; for (int i = 0, count = sweep.num; i < count; i++) { TableCell cell = table[i]; if (BoundsOverlap(bounds, cell.bounds)) func(obj, cell.obj, data); } } //MARK: Reindex/Query int TableSort(TableCell* a, TableCell* b) { return (a.bounds.min < b.bounds.min ? -1 : (a.bounds.min > b.bounds.min ? 1 : 0)); } void cpSweep1DReindexQuery(cpSweep1D* sweep, cpSpatialIndexQueryFunc func, void* data) { TableCell* table = sweep.table; int count = sweep.num; // Update bounds and sort for (int i = 0; i < count; i++) table[i] = MakeTableCell(sweep, table[i].obj); alias extern(C) int function(const void*, const void*) TableSortFunc; qsort(table, count, TableCell.sizeof, safeCast!TableSortFunc(&TableSort)); // TODO use insertion sort instead for (int i = 0; i < count; i++) { TableCell cell = table[i]; cpFloat max = cell.bounds.max; for (int j = i + 1; table[j].bounds.min < max && j < count; j++) { func(cell.obj, table[j].obj, 0, data); } } // Reindex query is also responsible for colliding against the static index. // Fortunately there is a helper function for that. cpSpatialIndexCollideStatic(cast(cpSpatialIndex*)sweep, sweep.spatialIndex.staticIndex, func, data); } __gshared cpSpatialIndexClass klass; void _initModuleCtor_cpSweep1D() { klass = cpSpatialIndexClass( cast(cpSpatialIndexDestroyImpl)&cpSweep1DDestroy, cast(cpSpatialIndexCountImpl)&cpSweep1DCount, cast(cpSpatialIndexEachImpl)&cpSweep1DEach, cast(cpSpatialIndexContainsImpl)&cpSweep1DContains, cast(cpSpatialIndexInsertImpl)&cpSweep1DInsert, cast(cpSpatialIndexRemoveImpl)&cpSweep1DRemove, cast(cpSpatialIndexReindexImpl)&cpSweep1DReindex, cast(cpSpatialIndexReindexObjectImpl)&cpSweep1DReindexObject, cast(cpSpatialIndexReindexQueryImpl)&cpSweep1DReindexQuery, cast(cpSpatialIndexQueryImpl)&cpSweep1DQuery, cast(cpSpatialIndexSegmentQueryImpl)&cpSweep1DSegmentQuery, ); } cpSpatialIndexClass* Klass() { return &klass; }
D
/Users/amithdubbasi/Desktop/iOS\ Stuff/iOS\ Projects\ Amith/ConnectedColorsStarter/Build/Intermediates/SwiftMigration/ConnectedColors/Intermediates.noindex/ConnectedColors.build/Debug-iphonesimulator/ConnectedColors.build/Objects-normal/x86_64/AppDelegate.o : /Users/amithdubbasi/Desktop/iOS\ Stuff/iOS\ Projects\ Amith/ConnectedColorsStarter/ConnectedColors/AppDelegate.swift /Users/amithdubbasi/Desktop/iOS\ Stuff/iOS\ Projects\ Amith/ConnectedColorsStarter/ConnectedColors/ColorSwitchViewController.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/amithdubbasi/Desktop/iOS\ Stuff/iOS\ Projects\ Amith/ConnectedColorsStarter/Build/Intermediates/SwiftMigration/ConnectedColors/Intermediates.noindex/ConnectedColors.build/Debug-iphonesimulator/ConnectedColors.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/amithdubbasi/Desktop/iOS\ Stuff/iOS\ Projects\ Amith/ConnectedColorsStarter/ConnectedColors/AppDelegate.swift /Users/amithdubbasi/Desktop/iOS\ Stuff/iOS\ Projects\ Amith/ConnectedColorsStarter/ConnectedColors/ColorSwitchViewController.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/amithdubbasi/Desktop/iOS\ Stuff/iOS\ Projects\ Amith/ConnectedColorsStarter/Build/Intermediates/SwiftMigration/ConnectedColors/Intermediates.noindex/ConnectedColors.build/Debug-iphonesimulator/ConnectedColors.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/amithdubbasi/Desktop/iOS\ Stuff/iOS\ Projects\ Amith/ConnectedColorsStarter/ConnectedColors/AppDelegate.swift /Users/amithdubbasi/Desktop/iOS\ Stuff/iOS\ Projects\ Amith/ConnectedColorsStarter/ConnectedColors/ColorSwitchViewController.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
D
/** GDC compiler support. Copyright: © 2013-2013 rejectedsoftware e.K. License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig */ module dub.compilers.gdc; import dub.compilers.compiler; import dub.compilers.utils; import dub.internal.utils; import dub.internal.vibecompat.core.log; import dub.internal.vibecompat.inet.path; import std.algorithm; import std.array; import std.exception; import std.file; import std.process; import std.typecons; class GDCCompiler : Compiler { private static immutable s_options = [ tuple(BuildOption.debugMode, ["-fdebug"]), tuple(BuildOption.releaseMode, ["-frelease"]), tuple(BuildOption.coverage, ["-fprofile-arcs", "-ftest-coverage"]), tuple(BuildOption.debugInfo, ["-g"]), tuple(BuildOption.debugInfoC, ["-g"]), //tuple(BuildOption.alwaysStackFrame, ["-X"]), //tuple(BuildOption.stackStomping, ["-X"]), tuple(BuildOption.inline, ["-finline-functions"]), tuple(BuildOption.noBoundsCheck, ["-fno-bounds-check"]), tuple(BuildOption.optimize, ["-O2"]), tuple(BuildOption.profile, ["-pg"]), tuple(BuildOption.unittests, ["-funittest"]), tuple(BuildOption.verbose, ["-v"]), tuple(BuildOption.ignoreUnknownPragmas, ["-fignore-unknown-pragmas"]), tuple(BuildOption.syntaxOnly, ["-fsyntax-only"]), tuple(BuildOption.warnings, ["-Wall"]), tuple(BuildOption.warningsAsErrors, ["-Werror", "-Wall"]), tuple(BuildOption.ignoreDeprecations, ["-Wno-deprecated"]), tuple(BuildOption.deprecationWarnings, ["-Wdeprecated"]), tuple(BuildOption.deprecationErrors, ["-Werror", "-Wdeprecated"]), tuple(BuildOption.property, ["-fproperty"]), //tuple(BuildOption.profileGC, ["-?"]), tuple(BuildOption.betterC, ["-fno-druntime"]), tuple(BuildOption._docs, ["-fdoc-dir=docs"]), tuple(BuildOption._ddox, ["-Xfdocs.json", "-fdoc-file=__dummy.html"]), ]; @property string name() const { return "gdc"; } string determineVersion(string compiler_binary, string verboseOutput) { const result = execute([ compiler_binary, "-dumpfullversion", "-dumpversion" ]); return result.status == 0 ? result.output : null; } BuildPlatform determinePlatform(ref BuildSettings settings, string compiler_binary, string arch_override) { string[] arch_flags; switch (arch_override) { default: throw new UnsupportedArchitectureException(arch_override); case "": break; case "arm": arch_flags = ["-marm"]; break; case "arm_thumb": arch_flags = ["-mthumb"]; break; case "x86": arch_flags = ["-m32"]; break; case "x86_64": arch_flags = ["-m64"]; break; } settings.addDFlags(arch_flags); return probePlatform( compiler_binary, arch_flags ~ ["-fsyntax-only", "-v"], arch_override ); } void prepareBuildSettings(ref BuildSettings settings, const scope ref BuildPlatform platform, BuildSetting fields = BuildSetting.all) const { enforceBuildRequirements(settings); if (!(fields & BuildSetting.options)) { foreach (t; s_options) if (settings.options & t[0]) settings.addDFlags(t[1]); } if (!(fields & BuildSetting.versions)) { settings.addDFlags(settings.versions.map!(s => "-fversion="~s)().array()); settings.versions = null; } if (!(fields & BuildSetting.debugVersions)) { settings.addDFlags(settings.debugVersions.map!(s => "-fdebug="~s)().array()); settings.debugVersions = null; } if (!(fields & BuildSetting.importPaths)) { settings.addDFlags(settings.importPaths.map!(s => "-I"~s)().array()); settings.importPaths = null; } if (!(fields & BuildSetting.stringImportPaths)) { settings.addDFlags(settings.stringImportPaths.map!(s => "-J"~s)().array()); settings.stringImportPaths = null; } if (!(fields & BuildSetting.sourceFiles)) { settings.addDFlags(settings.sourceFiles); settings.sourceFiles = null; } if (!(fields & BuildSetting.libs)) { resolveLibs(settings, platform); settings.addDFlags(settings.libs.map!(l => "-l"~l)().array()); } if (!(fields & BuildSetting.lflags)) { settings.addDFlags(lflagsToDFlags(settings.lflags)); settings.lflags = null; } if (settings.options & BuildOption.pic) settings.addDFlags("-fPIC"); assert(fields & BuildSetting.dflags); assert(fields & BuildSetting.copyFiles); } void extractBuildOptions(ref BuildSettings settings) const { Appender!(string[]) newflags; next_flag: foreach (f; settings.dflags) { foreach (t; s_options) if (t[1].canFind(f)) { settings.options |= t[0]; continue next_flag; } if (f.startsWith("-fversion=")) settings.addVersions(f[10 .. $]); else if (f.startsWith("-fdebug=")) settings.addDebugVersions(f[8 .. $]); else newflags ~= f; } settings.dflags = newflags.data; } string getTargetFileName(in BuildSettings settings, in BuildPlatform platform) const { assert(settings.targetName.length > 0, "No target name set."); final switch (settings.targetType) { case TargetType.autodetect: assert(false, "Configurations must have a concrete target type."); case TargetType.none: return null; case TargetType.sourceLibrary: return null; case TargetType.executable: if (platform.platform.canFind("windows")) return settings.targetName ~ ".exe"; else return settings.targetName.idup; case TargetType.library: case TargetType.staticLibrary: return "lib" ~ settings.targetName ~ ".a"; case TargetType.dynamicLibrary: if (platform.platform.canFind("windows")) return settings.targetName ~ ".dll"; else if (platform.platform.canFind("darwin")) return "lib" ~ settings.targetName ~ ".dylib"; else return "lib" ~ settings.targetName ~ ".so"; case TargetType.object: if (platform.platform.canFind("windows")) return settings.targetName ~ ".obj"; else return settings.targetName ~ ".o"; } } void setTarget(ref BuildSettings settings, in BuildPlatform platform, string tpath = null) const { final switch (settings.targetType) { case TargetType.autodetect: assert(false, "Invalid target type: autodetect"); case TargetType.none: assert(false, "Invalid target type: none"); case TargetType.sourceLibrary: assert(false, "Invalid target type: sourceLibrary"); case TargetType.executable: break; case TargetType.library: case TargetType.staticLibrary: case TargetType.object: settings.addDFlags("-c"); break; case TargetType.dynamicLibrary: settings.addDFlags("-shared", "-fPIC"); break; } if (tpath is null) tpath = (NativePath(settings.targetPath) ~ getTargetFileName(settings, platform)).toNativeString(); settings.addDFlags("-o", tpath); } void invoke(in BuildSettings settings, in BuildPlatform platform, void delegate(int, string) output_callback) { auto res_file = getTempFile("dub-build", ".rsp"); std.file.write(res_file.toNativeString(), join(settings.dflags.map!(s => escape(s)), "\n")); logDiagnostic("%s %s", platform.compilerBinary, join(cast(string[])settings.dflags, " ")); string[string] env; foreach (aa; [settings.environments, settings.buildEnvironments]) foreach (k, v; aa) env[k] = v; invokeTool([platform.compilerBinary, "@"~res_file.toNativeString()], output_callback, env); } void invokeLinker(in BuildSettings settings, in BuildPlatform platform, string[] objects, void delegate(int, string) output_callback) { import std.string; string[] args; // As the user is supposed to call setTarget prior to invoke, -o target is already set. if (settings.targetType == TargetType.staticLibrary || settings.targetType == TargetType.staticLibrary) { auto tpath = extractTarget(settings.dflags); assert(tpath !is null, "setTarget should be called before invoke"); args = [ "ar", "rcs", tpath ] ~ objects; } else { args = platform.compilerBinary ~ objects ~ settings.sourceFiles ~ settings.lflags ~ settings.dflags.filter!(f => isLinkageFlag(f)).array; if (platform.platform.canFind("linux")) args ~= "-L--no-as-needed"; // avoids linker errors due to libraries being specified in the wrong order } logDiagnostic("%s", args.join(" ")); string[string] env; foreach (aa; [settings.environments, settings.buildEnvironments]) foreach (k, v; aa) env[k] = v; invokeTool(args, output_callback, env); } string[] lflagsToDFlags(in string[] lflags) const { string[] dflags; foreach( f; lflags ) { if ( f == "") { continue; } dflags ~= "-Xlinker"; dflags ~= f; } return dflags; } } private string extractTarget(const string[] args) { auto i = args.countUntil("-o"); return i >= 0 ? args[i+1] : null; } private bool isLinkageFlag(string flag) { switch (flag) { case "-c": return false; default: return true; } } private string escape(string str) { auto ret = appender!string(); foreach (char ch; str) { switch (ch) { default: ret.put(ch); break; case '\\': ret.put(`\\`); break; case ' ': ret.put(`\ `); break; } } return ret.data; }
D
/* * SPDX-FileCopyrightText: Copyright © 2020-2023 Serpent OS Developers * * SPDX-License-Identifier: Zlib */ /** * moss.core.logger * * Add coloured output tailored for a better terminal experience. * * Authors: Copyright © 2023 Serpent OS Developers * License: Zlib */ module moss.core.logger; public import std.experimental.logger; import std.stdio : stderr; import std.concurrency : initOnce; import std.traits; import std.exception : assumeWontThrow; import std.string : format; import std.range : empty; /** * We create our logger with compile time constants */ public enum ColorLoggerFlags { /** * No flags is no color, no timestamps */ None = 1 << 0, /** * Enable timestamps in log output */ Timestamps = 1 << 1, /** * Enable color in log output */ Color = 1 << 2, } /** * This should be performed in the main routine of a module that * wishes to use logging. For now we only set the sharedLog to * a new instance of the logger. * */ public static void configureLogger(ColorLoggerFlags flags = ColorLoggerFlags.Color) @trusted nothrow { __gshared ColorLogger logger; assumeWontThrow(() @trusted { sharedLog = initOnce!logger(new ColorLogger(flags)); globalLogLevel = LogLevel.info; }()); } private enum ColourAttr : ubyte { Reset = 0, Bright = 1, Dim = 2, Underscore = 4, Blink = 5, Reverse = 7, Hidden = 8 } private enum ColourFG : ubyte { Black = 30, Red = 31, Green = 32, Yellow = 33, Blue = 34, Magenta = 35, Cyan = 36, White = 37 } private enum ColourBG : ubyte { Black = 40, Red = 41, Green = 42, Yellow = 43, Blue = 44, Magenta = 45, Cyan = 46, White = 47 } private __gshared immutable string[LogLevel] logFormatStrings; shared static this() { logFormatStrings = [ LogLevel.off: null, LogLevel.trace: format!"\x1b[%sm"(cast(ubyte) ColourAttr.Dim), LogLevel.info: format!"\x1b[%s;%sm"(cast(ubyte) ColourAttr.Bright, cast(ubyte) ColourFG.Blue), LogLevel.warning: format!"\x1b[%s;%sm"(cast(ubyte) ColourAttr.Bright, cast(ubyte) ColourFG.Yellow), LogLevel.error: format!"\x1b[%s;%sm"(cast(ubyte) ColourAttr.Bright, cast(ubyte) ColourFG.Red), LogLevel.critical: format!"\x1b[%s;%s;%sm"(cast(ubyte) ColourAttr.Underscore, cast(ubyte) ColourAttr.Bright, cast(ubyte) ColourFG.Red), LogLevel.fatal: format!"\x1b[%s;%s;%sm"(cast(ubyte) ColourAttr.Bright, cast(ubyte) ColourFG.Black, cast(ubyte) ColourBG.Red) ]; logFormatStrings = logFormatStrings.rehash(); } /** * Simplistic logger that provides colourised output * * In future we need to rework the ColorLogger into something that * has configurable behaviour, i.e. timestamps, colour usage, and * label printing. */ final class ColorLogger : Logger { /** * Construct a new ColorLogger with all messages enabled * * Params: * loggerFlags = Flags to enable capabilities */ this(ColorLoggerFlags loggerFlags = ColorLoggerFlags.Color) @trusted { super(LogLevel.all); this.loggerFlags = loggerFlags; } /** * Write a new log message to stdout/stderr * * Params: payload The log payload */ override void writeLogMsg(ref LogEntry payload) @trusted { import std.conv : to; import std.string : toUpper; string level = to!string(payload.logLevel).toUpper; string timestamp = ""; string fileinfo = ""; string resetSequence = ""; /* Make sure we have a built render string */ string renderString; if ((loggerFlags & ColorLoggerFlags.Color) == ColorLoggerFlags.Color) { resetSequence = "\x1b[0m"; renderString = assumeWontThrow(logFormatStrings[payload.logLevel]); if (renderString.empty) { return; } } /* Show file information for critical & fatal only */ switch (payload.logLevel) { case LogLevel.critical: case LogLevel.fatal: fileinfo = format!"@[%s:%s] "(payload.file, payload.line); break; default: break; } /* Use timestamps? */ if ((loggerFlags & ColorLoggerFlags.Timestamps) == ColorLoggerFlags.Timestamps) { timestamp = format!"[%02s:%02s:%02s]"(payload.timestamp.hour, payload.timestamp.minute, payload.timestamp.second); } /* Emit. */ stderr.writefln!"%s%s %s%-9s%s %s"(timestamp, fileinfo, renderString, level, resetSequence, payload.msg); } private: __gshared ColorLoggerFlags loggerFlags = ColorLoggerFlags.Color; }
D
/Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/DispatchQueue+Alamofire.o : /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/MultipartFormData.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Timeline.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Alamofire.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Response.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/TaskDelegate.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/SessionDelegate.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Validation.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/SessionManager.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/AFError.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Notifications.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Result.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Request.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/ServerTrustPolicy.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/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/DispatchQueue+Alamofire~partial.swiftmodule : /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/MultipartFormData.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Timeline.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Alamofire.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Response.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/TaskDelegate.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/SessionDelegate.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Validation.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/SessionManager.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/AFError.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Notifications.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Result.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Request.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/ServerTrustPolicy.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/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/Alamofire.build/Objects-normal/x86_64/DispatchQueue+Alamofire~partial.swiftdoc : /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/MultipartFormData.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Timeline.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Alamofire.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Response.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/TaskDelegate.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/SessionDelegate.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/ParameterEncoding.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Validation.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/ResponseSerialization.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/SessionManager.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/AFError.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Notifications.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Result.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/Request.swift /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Alamofire/Source/ServerTrustPolicy.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/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/Polina/XcodeApp/CoreML_test_10.03/CoreML_test/build/Pods.build/Debug-iphonesimulator/Alamofire.build/unextended-module.modulemap
D
instance Mod_4081_GRD_Gardist_MT (Npc_Default) { // ------ NSC ------ name = "Gardist"; guild = GIL_NONE; id = 4081; voice = 0; flags = 0; npctype = NPCTYPE_MAIN; // ------ Attribute ------ B_SetAttributesToChapter (self, 3); level = 15; // ------ Kampf-Taktik ------ fight_tactic = FAI_HUMAN_STRONG; // ------ Equippte Waffen ------ EquipItem (self, ItMw_1H_quantarie_Schwert_01); // ------ Inventory ------ B_CreateAmbientInv (self); // ------ visuals ------ B_SetNpcVisual (self, MALE, "Hum_Head_Fighter", 102, BodyTex_P,GRD_ARMOR_M); Mdl_SetModelFatness (self,0); Mdl_ApplyOverlayMds (self, "Humans_Militia.mds"); // ------ NSC-relevante Talente vergeben ------ B_GiveNpcTalents (self); // ------ Kampf-Talente ------ B_SetFightSkills (self, 30); // ------ TA anmelden ------ daily_routine = Rtn_Start_4081; }; FUNC VOID Rtn_Start_4081() { TA_Stand_WP (05,15,20,15,"OW_PATH_1_14"); TA_Stand_WP (20,15,05,15,"OW_PATH_1_14"); }; FUNC VOID Rtn_Next_4081() { TA_Stand_WP (05,15,20,15,"OW_PATH_1_15"); TA_Stand_WP (20,15,05,15,"OW_PATH_1_15"); }; FUNC VOID Rtn_End_4081() { TA_RunToWP (05,15,20,15,"OW_PATH_1_14"); TA_RunToWP (20,15,05,15,"OW_PATH_1_14"); }; FUNC VOID Rtn_Tot_4081() { TA_RunToWP (05,15,20,15,"TOT"); TA_RunToWP (20,15,05,15,"TOT"); };
D
/******************************************************************************* Entry point for running multiple agora nodes within the same binary Copyright: Copyright (c) 2019-2021 BOSAGORA Foundation All rights reserved. License: MIT License. See LICENSE for details. *******************************************************************************/ module agora.cli.multi.main; import agora.consensus.data.Params; import agora.node.FullNode; import agora.node.Validator; import agora.node.Runner; import agora.utils.Log; import vibe.core.core; import vibe.web.rest; import vibe.inet.url; import configy.Read; import std.exception; import std.file; import std.format; import std.path; import std.range; import std.stdio; import std.string; /******************************************************************************* Application entry point *******************************************************************************/ private int main (string[] args) { // Validate parameters if (args.length < 2) { printDefaultHelp(); return 1; } string[] files; // If the root path is not set, if (extension(args[1]).toLower == ".yaml") files = args[1..$]; else // If the root path is set, foreach (arg; args[2 .. $]) files ~= buildNormalizedPath(args[1], arg); // Reads all configurations from the file. Config[] configs; foreach (idx, file; files) { try { // Read auto config = readFromFile(file); // Make sure that where the configuration file is located is the root directory of the node. // The data directory on the node has been changed to an absolute path. config.node.data_dir = buildNormalizedPath(dirName(file), config.node.data_dir); // Multiple nodes simultaneously output logs to the console. // To reduce complexity, only errors are printed. // Other improvements are needed in the future. config.logging.level = LogLevel.Error; // Change the network address of the nodes. string[] converted_network; foreach (address; config.network) { auto node_url = URL(address); node_url.host = "127.0.0.1"; converted_network ~= node_url.toString; } Config converted_config = { banman : config.banman, node : config.node, validator : config.validator, network : assumeUnique(converted_network), dns_seeds : config.dns_seeds, logging: config.logging, admin: config.admin, }; // Add configs ~= converted_config; } catch (Exception ex) { writefln("Failed to parse config file '%s'. Error: %s", file, ex.message); return 1; } } NodeListenerTuple[] node_listener_tuples; foreach (const ref config; configs) { node_listener_tuples ~= runNode(config); } scope (exit) { foreach (node_listener_tuple; node_listener_tuples) with (node_listener_tuple) { node.shutdown(); http_listener.stopListening(); } } return runEventLoop(); } /******************************************************************************* Print out help for this process. *******************************************************************************/ private void printDefaultHelp () { writeln("usage: agora-multi [path] node0.yaml node1.yaml node2.yaml ..."); } /******************************************************************************* Read config from file Params: filename = A file name of configurationn of the node Returns: The configuration objects that are used through the node *******************************************************************************/ private Config readFromFile (string filename) { CommandLine cmdln; cmdln.config_path = filename; return parseConfigFile(cmdln); }
D
/** * Convert any D symbol or type to a human-readable string, at compile time. * * Given any D symbol (class, template, function, module name, or non-local variable) * or any D type, convert it to a compile-time string literal, * optionally containing the fully qualified and decorated name. * * Limitations (as of DMD 0.167): * 1. Names of local variables cannot be determined, because they are not permitted * as template alias parameters. Technically, it's possible to determine the name by using * a mixin hack, but it's so ugly that it cannot be recommendeauxd. * 2. The name mangling for symbols declared inside extern(Windows), extern(C) and extern(Pascal) * functions is inherently ambiguous, so such inner symbols are not always correctly displayeauxd. * * License: BSD style: $(LICENSE) * Authors: Don Clugston * Copyright: Copyright (C) 2005-2006 Don Clugston */ module auxd.meta.Nameof; private import auxd.meta.Demangle; private { // -------------------------------------------- // Here's the magic... // // Make a unique type for each identifier; but don't actually // use the identifier for anything. // This works because any class always needs to be fully qualifieauxd. template inner(alias F) { class inner { } } // If you take the .mangleof an alias parameter, you are only // told that it is an alias. // So, we put the type as a function parameter. template outer(alias B) { void function( inner!(B) ) outer; } // We will get the .mangleof for a pointer to this function pointer. template rawmanglednameof(alias A) { const char [] rawmanglednameof = typeof(&outer!(A)).mangleof; } // If the identifier is "MyIdentifier" and this module is "QualModule" // The return value will be: // "PPF" -- because it's a pointer to a pointer to a function // "C" -- because the first parameter is a class // "10QualModule" -- the name of this module // "45" -- the number of characters in the remainder of the mangled name. // Note that this could be more than 2 characters, but will be at least "10". // "__T" -- because it's a class inside a template // "5inner" -- the name of the template "inner" // "T" MyIdentifer -- Here's our prize! // "Z" -- marks the end of the template parameters for "inner" // "5inner" -- this is the class "inner" // "Z" -- the return value of the function is coming // "v" -- the function returns void // The only unknown parts above are: // (1) the name of this source file // (it could move or be renamed). So we do a simple case: // "C" -- it's a class // "10QualModule" -- the name of this module // "15establishMangle" -- the name of the class // and (2) the number of characters in the remainder of the name class establishMangle {} // Get length of this (fully qualified) module name const int modulemanglelength = establishMangle.mangleof.length - "C15establishMangle".length; // Get the number of chars at the start relating to the pointer const int pointerstartlength = "PPFC".length + modulemanglelength + "__T5inner".length; // And the number of chars at the end const int pointerendlength = "Z5innerZv".length; } // -------------------------------------------------------------- // Now, some functions which massage the mangled name to give something more useful. /** * Like .mangleof, except that it works for an alias template parameter instead of a type. */ template manglednameof(alias A) { static if (rawmanglednameof!(A).length - pointerstartlength <= 100 + 1) { // the length of the template argument requires 2 characters const char [] manglednameof = rawmanglednameof!(A)[ pointerstartlength + 2 .. $ - pointerendlength]; } else const char [] manglednameof = rawmanglednameof!(A)[ pointerstartlength + 3 .. $ - pointerendlength]; } /** * The symbol as it was declared, but including full type qualification. * * example: "int mymodule.myclass.myfunc(uint, class otherclass)" */ template prettynameof(alias A) { const char [] prettynameof = prettyTemplateArg!(manglednameof!(A), MangledNameType.PrettyName); } /** Convert any D type to a human-readable string literal * * example: "int function(double, char[])" */ template prettytypeof(A) { const char [] prettytypeof = demangleType!(A.mangleof, MangledNameType.PrettyName); } /** * Returns the qualified name of the symbol A. * * This will be a sequence of identifiers, seperated by dots. * eg "mymodule.myclass.myfunc" * This то же самое, что prettynameof(), except that it doesn't include any type information. */ template qualifiednameof(alias A) { const char [] qualifiednameof = prettyTemplateArg!(manglednameof!(A), MangledNameType.QualifiedName); } /** * Returns the unqualified name, as a single text string. * * eg. "myfunc" */ template symbolnameof(alias A) { const char [] symbolnameof = prettyTemplateArg!(manglednameof!(A), MangledNameType.SymbolName); } //---------------------------------------------- // Unit Tests //---------------------------------------------- debug (UnitTest) { private { // Declare some structs, classes, enums, functions, and templates. template ClassTemplate(A) { class ClassTemplate {} } struct OuterClass { class SomeClass {} } alias double delegate (int, OuterClass) SomeDelegate; template IntTemplate(int F) { class IntTemplate { } } template MyInt(int F) { const int MyIntX = F; } enum SomeEnum { ABC = 2 } SomeEnum SomeInt; // remove the ".d" from the end const char [] THISFILE = "meta.Nameof"; static assert( prettytypeof!(real) == "real"); static assert( prettytypeof!(OuterClass.SomeClass) == "class " ~ THISFILE ~".OuterClass.SomeClass"); // Test that it works with module names (for example, this module) static assert( qualifiednameof!(meta.Nameof) == "meta.Nameof"); static assert( symbolnameof!(meta.Nameof) == "Nameof"); static assert( prettynameof!(SomeInt) == "enum " ~ THISFILE ~ ".SomeEnum " ~ THISFILE ~ ".SomeInt"); static assert( qualifiednameof!(OuterClass) == THISFILE ~".OuterClass"); static assert( symbolnameof!(SomeInt) == "SomeInt"); static assert( prettynameof!(inner!( MyInt!(68u) )) == "class " ~ THISFILE ~ ".inner!(" ~ THISFILE ~ ".MyInt!(uint = 68)).inner"); static assert( symbolnameof!(inner!( MyInt!(68u) )) == "inner"); static assert( prettynameof!(ClassTemplate!(OuterClass.SomeClass)) == "class "~ THISFILE ~ ".ClassTemplate!(class "~ THISFILE ~ ".OuterClass.SomeClass).ClassTemplate"); static assert( symbolnameof!(ClassTemplate!(OuterClass.SomeClass)) == "ClassTemplate"); // Extern(D) declarations have full type information. extern int pig(); extern int pog; static assert( prettynameof!(pig) == "int " ~ THISFILE ~ ".pig()"); static assert( prettynameof!(pog) == "int " ~ THISFILE ~ ".pog"); static assert( symbolnameof!(pig) == "pig"); // Extern(Windows) declarations contain no type information. extern (Windows) { extern int dog(); extern int dig; } static assert( prettynameof!(dog) == "dog"); static assert( prettynameof!(dig) == "dig"); // There are some nasty corner cases involving classes that are inside functions. // Corner case #1: class inside nested function inside template extern (Windows) { template aardvark(X) { int aardvark(short goon) { class wolf {} static assert(prettynameof!(wolf)== "class extern (Windows) int " ~ THISFILE ~ ".aardvark!(struct " ~ THISFILE ~ ".OuterClass).aardvark(short).wolf"); static assert(qualifiednameof!(wolf)== THISFILE ~ ".aardvark.aardvark.wolf"); static assert( symbolnameof!(wolf) == "wolf"); return 3; } } } // This is just to ensure that the static assert actually gets executeauxd. const test_aardvark = is (aardvark!(OuterClass) == function); // Corner case #2: template inside function. This is currently possible only with mixins. template fox(B, ushort C) { class fox {} } void wolf() { mixin fox!(cfloat, 21); static assert(prettynameof!(fox)== "class void " ~ THISFILE ~ ".wolf().fox!(cfloat, int = 21).fox"); static assert(qualifiednameof!(fox)== THISFILE ~ ".wolf.fox.fox"); static assert(symbolnameof!(fox)== "fox"); } } }
D
// Written in the D programming language // Author: Timon Gehr // License: http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0 import std.algorithm, std.array, std.string, std.conv; import module_; import lexer, parser, expression, declaration, semantic, util, error; import std.typecons : q = tuple, Q = Tuple; mixin CreateBinderForDependent!("LookupImpl"); mixin CreateBinderForDependent!("LookupHereImpl"); mixin CreateBinderForDependent!("GetUnresolvedImpl"); mixin CreateBinderForDependent!("GetUnresolvedHereImpl"); final class DoesNotExistDecl: Declaration{ this(Identifier orig){originalReference = orig; super(STC.init, orig); sstate = SemState.completed;} Identifier originalReference; override string toString(){ return "'"~originalReference.name~"' does not exist."; } } static interface IncompleteScope{ bool inexistent(Scope view, Identifier ident); Declaration[] potentialLookup(Scope view, Identifier ident); // only for use in this module: bool inexistentImpl(Scope view, Identifier ident); Declaration lookupExactlyHere(Scope view, Identifier ident); } enum ImportKind : ubyte{ private_, public_, protected_, mixin_, } auto importKindFromSTC(STC stc){ if(stc&STCpublic) return ImportKind.public_; if(stc&STCprotected) return ImportKind.protected_; return ImportKind.private_; } STC getVisibility(STC stc){ if(auto r=stc&STCvisibility) return r; return STCpublic; } enum suspiciousDeclDesc = "is invalid"; abstract class Scope: IncompleteScope{ // SCOPE abstract @property ErrorHandler handler(); protected void potentialAmbiguity(Identifier decl, Identifier lookup){ error(format("declaration of '%s' "~suspiciousDeclDesc, decl), decl.loc); note(format("this lookup should have %s otherwise", lookup.meaning?"resolved to it":"succeeded"), lookup.loc); } bool insert(Declaration decl)in{ assert(decl.name&&decl.name.ptr&&!decl.scope_, decl.toString()~" "~(decl.scope_ is null?" null scope":"non-null scope")); }out(result){ assert(!result||decl.scope_ is this); }body{ auto d=symtabLookup(this, decl.name); if(d){ if(typeid(d) is typeid(DoesNotExistDecl)){ if(d.stc&STCpublic && getVisibility(decl.stc)&STCprivate) goto Lok; // public DoesNotExistDecl does not rule out private symbols potentialAmbiguity(decl.name, d.name); mixin(SetErr!q{d.name}); return false; }else if(auto fd=decl.isOverloadableDecl()){ // some declarations can be overloaded, so no error if(auto os=d.isOverloadSet()){ fd.scope_ = this; if(os.sealingLookup){ error("introduction of new overload "~suspiciousDeclDesc, decl.loc); note("overload set was sealed here", os.sealingLookup.loc); return false; } os.add(fd); return true; }else if(auto ad=decl.isAliasDecl()){ auto add=ad.getAliasedDecl(); if(!add||add.isOverloadableDecl()){ fd.scope_ = this; auto os=New!OverloadSet(fd); os.addAlias(ad); decl=os; goto Lok; } } assert(!d.isOverloadableDecl()); } redefinitionError(decl, d); mixin(SetErr!q{d}); return false; } Lok: if(auto ov = decl.isOverloadableDecl()){ decl.scope_ = this; decl = New!OverloadSet(ov); } symtab[decl.name.ptr]=decl; decl.scope_=this; Identifier.tryAgain = true; // TODO: is this required? return true; } void redefinitionError(Declaration decl, Declaration prev) in{ assert(decl.name.ptr is prev.name.ptr); }body{ error(format("redefinition of '%s'",decl.name), decl.name.loc); note("previous definition was here",prev.name.loc); } // lookup interface private static bool[Object] visited; private enum Setup = q{ assert(visited is null,text(visited)); scope(exit) visited=null; }; // a dummy DoesNotExistDecl for circular lookups through imports and invisible symbols private @property DoesNotExistDecl inex(){ static DoesNotExistDecl inex; return inex?inex:(inex=New!DoesNotExistDecl(null)); } final Dependent!Declaration lookup(Scope view, Identifier ident){ mixin(Setup); return lookupImpl(view,ident); } final Dependent!Declaration lookupHere(Scope view, Identifier ident, bool onlyMixins){ mixin(Setup); return lookupHereImpl(view,ident, onlyMixins); } final Dependent!IncompleteScope getUnresolved(Scope view, Identifier ident, bool onlyMixins, bool noHope){ mixin(Setup); return getUnresolvedImpl(view,ident, onlyMixins, noHope); } final bool inexistent(Scope view, Identifier ident){ mixin(Setup); return inexistentImpl(view, ident); } final bool isVisibleFrom(Scope view,STC protection)in{ // TODO: can be hard to determine for protected assert(util.among(protection,STCpublic,STCprivate,STCprotected),STCtoString(protection)); }body{ if(protection == STCpublic) return true; if(protection == STCprivate) return (getModule() is view.getModule()); assert(protection == STCprotected); auto decl=getAggregate(),vdecl=view.getAggregate(); if(!decl || !vdecl) return (getModule() is view.getModule()); auto rdecl=decl.isReferenceAggregateDecl(), rvdecl=vdecl.isReferenceAggregateDecl(); if(!rdecl || !rvdecl) return false; //return rdecl.isSubtypeOf(rvdecl); // TODO: finish implementation of protected return true; } // lookup implementation // TODO: report DMD bug regarding protected /+protected+/ Dependent!Declaration lookupImpl(Scope view, Identifier ident){ return lookupHereImpl(view, ident, false); } /+protected+/ Dependent!Declaration lookupHereImpl(Scope view, Identifier ident, bool onlyMixins){ auto t=lookupExactlyHere(view, ident); if(!t || typeid(t) !is typeid(DoesNotExistDecl)) return t.independent; return lookupImports(view, ident, onlyMixins, t); } Declaration lookupExactlyHere(Scope view, Identifier ident){ auto r = symtabLookup(view, ident); if(r){ if(auto ov=r.isOverloadSet()) if(!ov.sealingLookup) return null; if(typeid(r) is typeid(DoesNotExistDecl)){ if(r.stc&STCpublic) if(isVisibleFrom(view,STCprivate)) return null; // TODO: protected }else{ // assert(r.scope_ is this,text(r," ",r.scope_," ",this)); if(!isVisibleFrom(view,getVisibility(r.stc))) return inex; // TODO: this is moot, it possibly leaks information about private symbols } } return r; } protected final Declaration symtabLookup(Scope view, Identifier ident){ return symtab.get(ident.ptr, null); } /+protected+/ Dependent!IncompleteScope getUnresolvedImpl(Scope view, Identifier ident, bool onlyMixins, bool noHope){ return getUnresolvedHereImpl(view, ident, onlyMixins, noHope); } // scope where the identifier will be resolved next /+protected+/ Dependent!IncompleteScope getUnresolvedHereImpl(Scope view, Identifier ident, bool onlyMixins, bool noHope){ auto t=lookupExactlyHere(view, ident); if(!t) return this.independent!IncompleteScope; return getUnresolvedImport(view, ident, onlyMixins, noHope); } final protected Dependent!Declaration lookupImports(Scope view, Identifier ident, bool onlyMixins, Declaration alt){ if(this in visited) return (alt?alt:inex).independent!Declaration; visited[this]=true; size_t count = 0; Declaration[] decls; foreach(im;imports){ if(onlyMixins && im[1]!=ImportKind.mixin_) continue; if(util.among(im[1],ImportKind.private_,ImportKind.protected_)) if(!isVisibleFrom(view,(im[1]==ImportKind.private_?STCprivate:STCprotected))) continue; mixin(LookupHereImpl!q{auto d;im[0],view,ident,onlyMixins}); if(!d) return d.independent; else if(typeid(d) !is typeid(DoesNotExistDecl)) decls~=d; } if(!decls.length) dontImport(ident); return CrossScopeOverloadSet.buildDecl(this, decls, alt).independent; } final protected Dependent!IncompleteScope getUnresolvedImport(Scope view, Identifier ident, bool onlyMixins, bool noHope){ if(this in visited) return null.independent!IncompleteScope; visited[this]=true; IncompleteScope[] unres; bool isUnresolved = false; foreach(im;imports){ if(onlyMixins && im[1]!=ImportKind.mixin_) continue; if(util.among(im[1],ImportKind.private_,ImportKind.protected_)) if(!isVisibleFrom(view,(im[1]==ImportKind.private_?STCprivate:STCprotected))) continue; // TODO: eliminate duplication? mixin(GetUnresolvedHereImpl!q{auto d;im[0], view, ident, onlyMixins, noHope}); if(d) unres~=d; } if(!unres.length){ dontImport(ident); return null.independent!IncompleteScope; } size_t i=noHope<<1|onlyMixins; //(this is a memory optimization that slightly complicates the interface to Identifier) // TODO: change the design such that IncompleteScope is not required any more. if(!unresolvedImports[i]) unresolvedImports[i]=New!UnresolvedImports(this,onlyMixins,noHope); unresolvedImports[i].unres=unres; return unresolvedImports[i].independent!IncompleteScope; } private static class UnresolvedImports: IncompleteScope{ Scope outer; IncompleteScope[] unres; bool onlyMixins; bool noHope; override string toString(){ return "'UnresolvedImports of "~outer.getModule().name.name~"'"; } this(Scope outer, bool onlyMixins, bool noHope){ this.outer = outer; this.onlyMixins = onlyMixins; this.noHope = noHope; } final bool inexistent(Scope view, Identifier ident){ mixin(Setup); return inexistentImpl(view, ident); } bool inexistentImpl(Scope view, Identifier ident){ if(this in visited) return true; visited[this]=true; bool success = true; foreach(d;unres){ //if(auto x=d.lookupExactlyHere(view, ident)) continue; // TODO: why was this here? Necessary? success &= d.inexistentImpl(view, ident); } return success; } Declaration[] potentialLookup(Scope view, Identifier ident){ // TODO: this is very wasteful Declaration[] r; foreach(im;outer.imports) r~=im[0].potentialLookup(view, ident); // dw(this," ",r," ",ident," ",outer.imports.map!(a=>a[0].getModule().name)); return r; } Declaration lookupExactlyHere(Scope view, Identifier ident){ return null; } } UnresolvedImports[4] unresolvedImports; /+protected+/ bool inexistentImpl(Scope view, Identifier ident){ auto d=symtabLookup(view, ident); if(!d){ // TODO: this will be somewhat challenging for protected d=New!DoesNotExistDecl(ident); if(!isVisibleFrom(view,STCprivate)) d.stc|=STCpublic; // only bans public symbols insert(d); }else if(auto ov=d.isOverloadSet()){ assert(!ov.sealingLookup); ov.sealingLookup = ident; }else if(typeid(d) !is typeid(DoesNotExistDecl)){ potentialAmbiguity(d.name, ident); mixin(SetErr!q{ident}); return false; }else if(d.stc&STCpublic && isVisibleFrom(view,STCprivate)){ // TODO: protected d.stc&=~STCpublic; } return true; } void potentialInsert(Identifier ident, Declaration dependee, Declaration decl){ auto ptr = ident.ptr in psymtab; auto t=tuple(dependee,decl); if(!ptr) psymtab[ident.ptr]~=t; else if((*ptr).find(t).empty) (*ptr)~=t; // TODO: this can be slow } void potentialInsertArbitrary(Declaration dependee, Declaration decl){ auto t=tuple(dependee,decl); if(arbitrary.find(t).empty) arbitrary~=t; // TODO: this can be slow } void potentialRemoveArbitrary(Declaration dependee, Declaration decl){ foreach(i,x; arbitrary){ if(x is tuple(dependee,decl)){ arbitrary[i]=move(arbitrary[$-1]); arbitrary=arbitrary[0..$-1]; arbitrary.assumeSafeAppend(); break; } } } void potentialRemove(Identifier ident, Declaration dependee, Declaration decl){ auto ptr = ident.ptr in psymtab; if(!ptr) return; foreach(i,x;*ptr) if(x is tuple(dependee,decl)){ (*ptr)[i]=move((*ptr)[$-1]); (*ptr)=(*ptr)[0..$-1]; (*ptr).assumeSafeAppend(); break; } } Declaration/+final+/[] potentialLookup(Scope view, Identifier ident){ // TODO: this is very wasteful if(auto d=symtabLookup(view, ident)){ if(d.isOverloadSet() && isVisibleFrom(view,getVisibility(d.stc))){ // TODO: enforce storage class compatibility for overloads // do not look up overloads in imports/template mixins import std.range : chain, zip; auto psym=psymtab.get(ident.ptr,[]); return chain(psym,arbitrary) .filter!(a=>!!a[1].isMixinDecl()).map!(a=>a[0]).array; }else return []; } // return chain(psymtab.get(ident.ptr,[]),arbitrary).filter!(x=>isVisibleFrom(view,getVisibility(x[1].stc))).map!(a=>a[0]).array; // TODO (DMD bug) auto r=psymtab.get(ident.ptr,[])~arbitrary; foreach(ref x;r) if(!isVisibleFrom(view,getVisibility(x[1].stc))) x[0]=null; return r.filter!(x=>x[0]!is null).map!(a=>a[0]).array; } private Identifier[const(char)*] notImported; protected void dontImport(Identifier ident){ notImported[ident.ptr]=ident; } final bool addImport(Scope sc, ImportKind kind)in{ assert(!!sc); }body{ foreach(im;imports) if(im[0] is sc) return true; // TODO: make more efficient? imports ~= q(sc,kind); bool ret = true; if(imports.length==1){ foreach(_,decl;symtab){ if(typeid(decl) !is typeid(DoesNotExistDecl)) continue; auto dne=cast(DoesNotExistDecl)cast(void*)decl; dontImport(dne.originalReference); } } foreach(_,ident;notImported){ // TODO: this will not report ambiguities/contradictions introduced // by modules that are not analyzed to sufficient depth // (eg, because their import is the last thing that happens.) ret&=sc.inexistentImpl(this, ident); } return ret; } bool isNestedIn(Scope rhs){ return rhs is this; } VarDecl getDollar(){return null;} FunctionDef getFunction(){return null;} AggregateDecl getAggregate(){return null;} Declaration getDeclaration(){return null;} TemplateInstanceDecl getTemplateInstance(){return null;} Module getModule(){return null;} final Declaration getParentDecl(){ if(auto decl=getDeclaration()) return decl; return getModule(); } // control flow structures: BreakableStm getBreakableStm(){return null;} LoopingStm getLoopingStm(){return null;} SwitchStm getSwitchStm(){return null;} bool isEnclosing(BreakableStm){return false;} bool insertLabel(LabeledStm stm){ assert(0); } LabeledStm lookupLabel(Identifier lbl){ assert(0); } void registerForLabel(GotoStm stm, Identifier l)in{ assert(stm.t==WhichGoto.identifier); }body{ assert(0); } int unresolvedLabels(scope int delegate(GotoStm) dg){return 0;} // functionality handy for closures: int getFrameNesting(){ return 0; } Scope getFrameScope(){ return null; } void error(lazy string err, Location loc){handler.error(err,loc);} void note(lazy string err, Location loc){handler.note(err,loc);} override string toString(){return to!string(typeid(this))~"{"~join(map!(to!string)(symtab.values),",")~"}";} final Scope cloneNested(Scope parent){ auto r = New!NestedScope(parent); r.symtab=symtab.dup; return r; } final Scope cloneFunction(Scope parent, FunctionDef fun){ auto r = New!FunctionScope(parent, fun); r.symtab=symtab.dup; return r; } protected: bool canDeclareNested(Declaration decl){return true;} // for BlockScope private: Declaration[const(char)*] symtab; alias std.typecons.Tuple!(Declaration,Declaration) PotentialDecl; // (dependee,decl) PotentialDecl[][const(char)*] psymtab; PotentialDecl[] arbitrary; /+Q+/std.typecons.Tuple!(Scope,ImportKind)[] imports; // DMD bug } class ModuleScope: Scope{ Module module_; private ErrorHandler _handler; override @property ErrorHandler handler(){return _handler;} this(ErrorHandler handler, Module module_){ this._handler=handler; this.module_=module_; } protected override Dependent!Declaration lookupImpl(Scope view, Identifier ident){ if(!ident.name.length) return module_.independent!Declaration; return super.lookupImpl(view, ident); } override Module getModule(){return module_;} } class NestedScope: Scope{ Scope parent; override @property ErrorHandler handler(){return parent.handler;} this(Scope parent) in{assert(!!parent);}body{ this.parent=parent; } protected override Dependent!Declaration lookupImpl(Scope view, Identifier ident){ mixin(LookupHereImpl!q{auto r; this, view, ident, false}); if(!r) return null.independent!Declaration; if(typeid(r) is typeid(DoesNotExistDecl)) return parent.lookupImpl(view, ident); return r.independent; } protected override Dependent!IncompleteScope getUnresolvedImpl(Scope view, Identifier ident, bool onlyMixins, bool noHope){ mixin(GetUnresolvedImpl!q{auto d; super, view, ident, onlyMixins, noHope}); if(d) return d.independent; return parent.getUnresolvedImpl(view, ident, onlyMixins, noHope); } override bool isNestedIn(Scope rhs){ return this is rhs || parent.isNestedIn(rhs); } override bool insertLabel(LabeledStm stm){ return parent.insertLabel(stm); } override LabeledStm lookupLabel(Identifier ident){ return parent.lookupLabel(ident); } override void registerForLabel(GotoStm stm, Identifier l){ parent.registerForLabel(stm, l); } override int unresolvedLabels(scope int delegate(GotoStm) dg){ return parent.unresolvedLabels(dg); } override int getFrameNesting(){ return parent.getFrameNesting(); } override Scope getFrameScope(){ return parent.getFrameScope(); } override VarDecl getDollar(){return parent.getDollar();} override FunctionDef getFunction(){return parent.getFunction();} override AggregateDecl getAggregate(){return parent.getAggregate();} override Declaration getDeclaration(){return parent.getDeclaration();} override TemplateInstanceDecl getTemplateInstance(){return parent.getTemplateInstance();} override Module getModule(){return parent.getModule();} } interface DollarProvider{ VarDecl getDollar(); } class DollarScope: NestedScope{ VarDecl dollar; DollarProvider provider; this(Scope parent, DollarProvider provider){ super(parent); this.provider = provider; } override VarDecl getDollar(){ if(!dollar && provider){ dollar = provider.getDollar(); provider = null; } return dollar; } } class AggregateScope: NestedScope{ this(AggregateDecl decl) in{assert(!!decl.scope_);}body{ super(decl.scope_); aggr = decl; } override bool isNestedIn(Scope rhs){ return this is rhs || !(aggr.stc&STCstatic) && parent.isNestedIn(rhs); } override AggregateDecl getAggregate(){ return aggr; } override AggregateDecl getDeclaration(){ return aggr; } override int getFrameNesting(){ return parent.getFrameNesting()+1; } override Scope getFrameScope(){ return this; } private: AggregateDecl aggr; } template AggregateParentsInOrderTraversal(string bdy,string raggr="raggr", string parent="parent",bool weak=false){ enum AggregateParentsInOrderTraversal = mixin(X!q{ static if(is(typeof(return) A : Dependent!T,T)) alias T R; else static assert(0); for(size_t i=0; i<@(raggr).parents.length; i++){ @(raggr).findFirstNParents(i+1,@(weak.to!string)); if(@(raggr).parents[i].sstate==SemState.error) continue; static if(@(weak.to!string)){ mixin(Rewrite!q{@(raggr).parents[i]}); if(@(raggr).parents[i].sstate != SemState.completed){ @(raggr).parents[i].needRetry = true; return Dependee(@(raggr).parents[i], @(raggr).scope_).dependent!R; } }else{ if(@(raggr).parents[i].needRetry){ return Dependee(@(raggr).parents[i], @(raggr).scope_).dependent!R; } } assert(cast(AggregateTy)@(raggr).parents[i] && cast(ReferenceAggregateDecl)(cast(AggregateTy)@(raggr).parents[i]).decl); auto @(parent) = cast(ReferenceAggregateDecl)cast(void*) (cast(AggregateTy)cast(void*)@(raggr).parents[i]).decl; @(bdy) } }); } class InheritScope: AggregateScope{ invariant(){ assert(!aggr||!!cast(ReferenceAggregateDecl)aggr); } // aggr is null during initialization @property ref ReferenceAggregateDecl raggr(){ return *cast(ReferenceAggregateDecl*)&aggr; } this(ReferenceAggregateDecl decl) in{assert(decl&&decl.scope_);}body{ super(decl); } // circular inheritance can lead to circular parent scopes // therefore we need to detect circular lookups in InheritScopes private bool onstack = false; protected override Dependent!Declaration lookupHereImpl(Scope view, Identifier ident, bool onlyMixins){ if(onstack) return New!DoesNotExistDecl(ident).independent!Declaration; onstack = true; scope(exit) onstack = false; // dw("looking up ",ident," in ", this); if(raggr.shortcutScope){ // we may want to take a shortcut in order to lookup symbols // outside the class declaration before the parent is resolved // if the declaration would actually be inherited from the parent // an error results. auto d = raggr.shortcutScope.lookupExactlyHere(view, ident); if(d && typeid(d) is typeid(DoesNotExistDecl)) if(auto t=raggr.shortcutScope.lookupImpl(view, ident).prop) return t; } mixin(LookupHereImpl!q{auto d; super, view, ident, onlyMixins}); // TODO: make more efficient than string comparison if(ident.name !="this" && ident.name!="~this" && ident.name!="invariant") // do not inherit constructors and destructors and invariants // if sstate is 'completed', DoesNotExistDecls do not need to be generated if(raggr.sstate == SemState.completed && !symtabLookup(view, ident) || d && typeid(d) is typeid(DoesNotExistDecl)) mixin(AggregateParentsInOrderTraversal!(q{ auto lkup = parent.asc.lookupHereImpl(view, ident, onlyMixins); if(lkup.dependee) return lkup.dependee.dependent!Declaration; d = lkup.value; if(parent.sstate != SemState.completed && !d || d && typeid(d) !is typeid(DoesNotExistDecl)) break; },"raggr","parent",true)); return d.independent; } protected override Dependent!IncompleteScope getUnresolvedImpl(Scope view, Identifier ident, bool onlyMixins, bool noHope){ mixin(GetUnresolvedImpl!q{auto d; Scope, view, ident, onlyMixins, noHope}); if(d) return d.independent; Dependent!IncompleteScope traverse(){ if(onstack) return null.independent!IncompleteScope; onstack = true; scope(exit) onstack = false; mixin(AggregateParentsInOrderTraversal!(q{ if(auto lkup = parent.asc.getUnresolvedImpl(view, ident, onlyMixins, noHope).prop) return lkup; },"raggr","parent",true)); return null.independent!IncompleteScope; } if(noHope){ auto tr = traverse(); if(!tr.dependee && tr.value) return tr; if(!raggr.shortcutScope) raggr.initShortcutScope(parent); return raggr.shortcutScope.getUnresolvedImpl(view, ident, onlyMixins, noHope); } // TODO: this is a hack if(auto tr = traverse().prop) return tr; return ident.recursiveLookup?parent.getUnresolvedImpl(view, ident, onlyMixins, noHope):null.independent!IncompleteScope; } } class TemplateScope: NestedScope{ // inherits Scope parent; // parent scope of the template declaration Scope iparent; // parent scope of the instance TemplateInstanceDecl tmpl; this(Scope parent, Scope iparent, TemplateInstanceDecl tmpl) in{assert(!!parent);}body{ super(parent); this.iparent = iparent; this.tmpl=tmpl; } override int getFrameNesting(){ return iparent.getFrameNesting(); } override Scope getFrameScope(){ return iparent.getFrameScope(); } override bool isNestedIn(Scope rhs){ return this is rhs || iparent.isNestedIn(rhs); } override FunctionDef getFunction(){return iparent.getFunction();} override AggregateDecl getAggregate(){return iparent.getAggregate();} override Declaration getDeclaration(){return iparent.getDeclaration();} override TemplateInstanceDecl getTemplateInstance(){ return tmpl; } } class OrderedScope: NestedScope{ // Forward references don't get resolved invariant(){ foreach(d; symtab) assert(d&&typeid(d) !is typeid(DoesNotExistDecl)); } this(Scope parent){super(parent);} // (there are no DoesNotExistDecls in ordered scopes, // so methods relying on them need to be overridden) protected override Dependent!Declaration lookupImpl(Scope view, Identifier ident){ mixin(LookupHereImpl!q{auto decl;this, view, ident, false}); if(!decl||typeid(decl) !is typeid(DoesNotExistDecl)) return decl.independent; return parent.lookupImpl(view, ident); } protected override Dependent!Declaration lookupHereImpl(Scope view, Identifier ident, bool onlyMixins){ if(auto t=lookupExactlyHere(view, ident)) return t.independent; return lookupImports(view, ident, onlyMixins, inex); } override Declaration lookupExactlyHere(Scope view, Identifier ident){ return symtabLookup(view, ident); } protected override bool inexistentImpl(Scope view, Identifier ident){ return true; } protected override Dependent!IncompleteScope getUnresolvedImpl(Scope view, Identifier ident, bool onlyMixins, bool noHope){ if(auto i=getUnresolvedImport(view, ident, onlyMixins, noHope).prop) return i; return parent.getUnresolvedImpl(view, ident, onlyMixins, noHope); } override protected void dontImport(Identifier ident){ } } final class FunctionScope: OrderedScope{ this(Scope parent, FunctionDef fun){ super(parent); this.fun=fun; } override bool isNestedIn(Scope rhs){ return this is rhs || !(fun.stc&STCstatic) && parent.isNestedIn(rhs); } override bool insertLabel(LabeledStm stm){ if(auto s = lstmsymtab.get(stm.l.ptr,null)){ error(format("redefinition of label '%s'",stm.l.toString()),stm.l.loc); note("previous definition was here",s.l.loc); return false; } lstmsymtab[stm.l.ptr] = stm; return true; } final LabeledStm lookupLabelHere(Identifier l){ return lstmsymtab.get(l.ptr,null); } override LabeledStm lookupLabel(Identifier l){ if(auto s = lookupLabelHere(l)) return s; return alternateLabelLookup(l); } override int unresolvedLabels(scope int delegate(GotoStm) dg){ foreach(x;_unresolvedLabels) if(auto r = dg(x)) return r; return 0; } override void registerForLabel(GotoStm stm, Identifier l){ // rename to lbl to make DMDs hashtable fail if(auto lbll = lookupLabelHere(l)) stm.resolveLabel(lbll); else _unresolvedLabels~=stm; } override int getFrameNesting(){ return parent.getFrameNesting()+1; } override Scope getFrameScope(){ return this; } override FunctionDef getFunction(){return fun;} override FunctionDef getDeclaration(){return fun;} private LoopingStm thisLoopingStm(){ if(auto oafun=fun.isOpApplyFunctionDef()) return oafun.lstm; return null; } // functionality supporting opApply: override BreakableStm getBreakableStm(){ if(auto r=thisLoopingStm()) return r; return super.getBreakableStm(); } override LoopingStm getLoopingStm(){ if(auto r=thisLoopingStm()) return r; return super.getLoopingStm(); } override SwitchStm getSwitchStm(){ if(thisLoopingStm()) return parent.getSwitchStm(); return super.getSwitchStm(); } override bool isEnclosing(BreakableStm stm){ if(auto oafun=fun.isOpApplyFunctionDef()){ return stm is oafun.lstm || parent.isEnclosing(stm); } return super.isEnclosing(stm); } private LabeledStm alternateLabelLookup(Identifier l){ if(auto oafun=fun.isOpApplyFunctionDef()) return parent.lookupLabel(l); return null; } protected: override bool canDeclareNested(Declaration decl){ // for BlockScope return typeid(decl) is typeid(DoesNotExistDecl) || !(decl.name.ptr in symtab); } private: FunctionDef fun; LabeledStm[const(char)*] lstmsymtab; GotoStm[] _unresolvedLabels; } class BlockScope: OrderedScope{ // No shadowing of declarations in the enclosing function. this(Scope parent){ super(parent); } override bool insert(Declaration decl){ // TODO: get rid of !is DoesNotExistDecl? if(!parent.canDeclareNested(decl)){ auto confl=parent.lookup(this, decl.name).value; assert(!!confl); error(format("declaration '%s' shadows a %s%s",decl.name,confl.kind=="parameter"?"":"local ",confl.kind), decl.name.loc); note("previous declaration is here",confl.name.loc); return false; } return super.insert(decl); // overload lookup } void setBreakableStm(BreakableStm brk)in{assert(!brokenOne);}body{ brokenOne = brk; } void setLoopingStm(LoopingStm loop)in{assert(!brokenOne&&!theLoop);}body{ brokenOne = theLoop = loop; } void setSwitchStm(SwitchStm swstm)in{assert(!brokenOne&&!theSwitch);}body{ brokenOne = theSwitch = swstm; } override BreakableStm getBreakableStm(){ return brokenOne ? brokenOne : parent.getBreakableStm(); } override LoopingStm getLoopingStm(){ return theLoop ? theLoop : parent.getLoopingStm(); } override SwitchStm getSwitchStm(){ return theSwitch ? theSwitch : parent.getSwitchStm(); } override bool isEnclosing(BreakableStm stm){ return brokenOne is stm || parent.isEnclosing(stm); } protected: override bool canDeclareNested(Declaration decl){ if(!(typeid(decl) is typeid(DoesNotExistDecl) || !(decl.name.ptr in symtab))) return false; return parent.canDeclareNested(decl); } private: BreakableStm brokenOne; LoopingStm theLoop; SwitchStm theSwitch; }
D