code
stringlengths
3
10M
language
stringclasses
31 values
correspondence in form or appearance acting according to certain accepted standards orthodoxy in thoughts and belief concurrence of opinion hardened conventionality
D
/** * Copyright © DiamondMVC 2019 * License: MIT (https://github.com/DiamondMVC/Diamond/blob/master/LICENSE) * Author: Jacob Jensen (bausshf) */ module diamond.dom.domparser; import std.uni : isWhite; import std.string : format, strip, toLower, indexOf; import std.algorithm : canFind; import std.conv : to; import diamond.dom.domdocument; import diamond.dom.domnode; import diamond.dom.domattribute; import diamond.dom.domexception; import diamond.dom.domparsersettings; import diamond.errors.checks; /** * Parses a string of dom into an dom document. * Params: * dom = The dom string to parse. * parserSettings = The settings used for parsing. * Returns: * The parsed dom document. */ TDocument parseDom(TDocument : DomDocument)(string dom, DomParserSettings parserSettings) @safe { enforce(parserSettings !is null, "Missing parsing settings."); auto doc = new TDocument(parserSettings); auto elements = parseDomElements(dom, parserSettings); doc.parseElements(elements); return doc; } private bool findAhead(string dom, string toFind) @safe { return dom && dom.length && dom.canFind(toFind); } /** * Parses an dom string into an array of dom nodes. * Params: * dom = The dom string to parse. * parserSettings = The settings used for parsing. * Returns: * An array of the parsed dom nodes. Null if the string is not dom. */ package(diamond.dom) DomNode[] parseDomElements(string dom, DomParserSettings parserSettings) @safe { enforce(parserSettings !is null, "Missing parsing settings."); if (!dom || !dom.length) { return null; } dom = dom.strip(); if (dom.length < 2) { return null; } if (dom[0] != '<' && dom[$-1] != '>') { return null; } DomNode[] elements; DomNode currentNode; bool isHeader; bool evaluated; string attributeName; string attributeValue; DomAttribute attribute; string text; bool comment; char headerChar; char attributeStringChar = '\0'; void finalizeNode() @trusted { if (!currentNode) { return; } if (currentNode.parent) { currentNode.parent.addChild(currentNode); } else { elements ~= currentNode; } currentNode = currentNode.parent; } foreach (ref i; 0 .. dom.length) { char last = i > 0 ? dom[i - 1] : '\0'; char current = dom[i]; char next = i < (dom.length - 1) ? dom[i + 1] : '\0'; if (current < 32 && (current < 8 || current > 13)) { continue; } if (comment) { if (current == '-' && next == '-' && i < (dom.length - 2)) { auto afterNext = dom[i + 2]; if (afterNext == '>') { comment = false; i += 2; } } continue; } if (currentNode && evaluated && parserSettings.isFlexibleTag(currentNode.name)) { string content = ""; bool inString; char stringChar; auto j = i; while (j < (dom.length - 1)) { last = j > 0 ? dom[j - 1] : '\0'; current = dom[j]; next = j < (dom.length - 1) ? dom[j + 1] : '\0'; if ((current == '\"' || current == '\'') && !inString) { stringChar = current; inString = true; } else if ((current == stringChar || current == '\r' || current == '\n') && inString) { inString = false; } if (current == '<' && next == '/' && !inString) { auto endIndex = dom[j .. $].indexOf('>'); auto fromLen = j + 2; auto toLen = fromLen + (endIndex - 2); if (endIndex >= 0 && dom[fromLen .. (toLen > $ ? $ : toLen)].toLower() == currentNode.name) { j = toLen; break; } } content ~= current; j++; } i = j + 1; currentNode.rawText = content; finalizeNode(); continue; } if (!current || current == '\r' || (current == '\n' && !evaluated)) { continue; } if (current == '<') { if (next == '!' && i < (dom.length - 3)) { auto afterNext = dom[i + 2]; auto nextAfterNext = dom[i + 3]; if (afterNext == '-' && nextAfterNext == '-') { comment = true; i += 3; continue; } } if (currentNode && text && text.strip().length) { currentNode.rawText = text; currentNode = new DomNode(currentNode); currentNode.isTextNode = true; currentNode.rawText = text; currentNode.parserSettings = parserSettings; finalizeNode(); text = null; } if (currentNode && next == '/') { while (current != '>' && i < (dom.length - 1)) { i++; if (i < (dom.length - 1)) { last = i > 0 ? dom[i - 1] : '\0'; current = dom[i]; next = i < (dom.length - 1) ? dom[i + 1] : '\0'; } } finalizeNode(); } else { if (next == '?' || next == '!') { isHeader = true; headerChar = next; i++; } currentNode = new DomNode(currentNode); currentNode.parserSettings = parserSettings; evaluated = false; } } else if (currentNode && (current == '?' || current == '!') && isHeader) { continue; } else if (currentNode && next == '>' && current == '/') { i++; finalizeNode(); } else if (current == '>') { if ( currentNode && parserSettings.allowSelfClosingTags && ( parserSettings.isSelfClosingTag(currentNode.name) || ( !parserSettings.isStandardTag(currentNode.name) && !findAhead(dom[i .. $], "/" ~ currentNode.name) ) ) ) { finalizeNode(); } else if (currentNode && last == '/') { finalizeNode(); } else if (currentNode && isHeader && headerChar == '!') { headerChar = '\0'; elements ~= currentNode; isHeader = false; currentNode = null; } else if (currentNode && isHeader && last == '?') { elements ~= currentNode; isHeader = false; currentNode = null; } else if (currentNode) { evaluated = true; } } else if (currentNode && !currentNode.name) { string name; while (i < (dom.length - 1)) { if (!current.isWhite) { name ~= current; } i++; if (i < (dom.length - 1)) { last = i > 0 ? dom[i - 1] : '\0'; current = dom[i]; next = i < (dom.length - 1) ? dom[i + 1] : '\0'; } if (current.isWhite || current == '>' || current == '/') { if (current == '>') { evaluated = true; if ( currentNode && parserSettings.allowSelfClosingTags && ( parserSettings.isSelfClosingTag(name) || ( !parserSettings.isStandardTag(name) && !findAhead(dom[i .. $], "/" ~ name) ) ) ) { evaluated = true; i--; } } if (current == '/') { evaluated = true; i--; } break; } } currentNode.name = name; } else if (currentNode && !evaluated) { if (!attribute && (current == '\"' || current == '\'')) { attributeStringChar = current; auto j = i; DomAttribute tempAttribute; while (j < (dom.length - 1)) { j++; if (dom[j] == attributeStringChar && last != '\\') { tempAttribute = new DomAttribute(dom[i .. j + 1], null); currentNode.addAttribute(tempAttribute); attributeStringChar = '\0'; break; } } if (tempAttribute) { i = j; continue; } } if ((next.isWhite || next == '>') && !attribute && attributeName && attributeName.length) { attributeName ~= current; attribute = new DomAttribute(attributeName, null); currentNode.addAttribute(attribute); attribute = null; attributeName = null; attributeValue = null; continue; } if (attributeStringChar == '\0' && (current == '\"' || current == '\'') && last != '\\') { attributeStringChar = current; } if ((current == attributeStringChar && last != '\\' && (attributeValue || last == attributeStringChar)) || (current == '=' && !attribute)) { if (!attribute) { attribute = new DomAttribute(attributeName, null); } else { attribute.value = attributeValue; currentNode.addAttribute(attribute); attributeStringChar = '\0'; attribute = null; attributeName = null; attributeValue = null; } } else if (!attribute) { attributeName ~= current; } else if (((current == attributeStringChar && last != '=' && last != '\\') || current != attributeStringChar)) { attributeValue ~= current; } } else if (currentNode && evaluated) { text ~= current; } else if (parserSettings.strictParsing) { throw new DomException("Encountered unexpected character: '%s' at index: '%d'.".format(current, i)); } } if (currentNode) { elements ~= currentNode; } return elements; }
D
import core.stdc.stdio; struct S { int a,b,c,d; } alias int delegate() dg_t; alias int delegate(int) dg1_t; void fill() { int[100] x; } /************************************/ dg_t foo() { int x = 7; int bar() { return x + 3; } return &bar; } void test1() { dg_t dg = foo(); fill(); printf("bar = %d\n", dg()); assert(dg() == 10); } /************************************/ dg_t foo2() { dg_t abc() { int x = 7; int bar() { return x + 3; } return &bar; } return abc(); } void test2() { dg_t dg = foo2(); fill(); printf("bar = %d\n", dg()); assert(dg() == 10); } /************************************/ dg_t foo3() { dg_t abc(int x) { int bar() { return x + 3; } return &bar; } return abc(7); } void test3() { dg_t dg = foo3(); fill(); printf("bar = %d\n", dg()); assert(dg() == 10); } /************************************/ dg_t foo4() { S s; s = S(4,5,6,7); dg_t abc(S t) { int bar() { return t.d + 3; } return &bar; } return abc(s); } void test4() { dg_t dg = foo4(); fill(); printf("bar = %d\n", dg()); assert(dg() == 10); } /************************************/ void test5() { int x = 7; dg_t abc(ref int y) { int bar() { y += 4; return y + 3; } return &bar; } dg_t dg = abc(x); fill(); assert(x == 7); auto i = dg(); assert(x == 11); assert(i == 14); x = 8; i = dg(); assert(x == 12); assert(i == 15); } /************************************/ void test6() { int x = 7; dg_t abc(out int y) { int bar() { y += 4; return y + 3; } return &bar; } dg_t dg = abc(x); fill(); assert(x == 0); auto i = dg(); assert(x == 4); assert(i == 7); x = 8; i = dg(); assert(x == 12); assert(i == 15); } /************************************/ void test7() { int[3] a = [10,11,12]; dg_t abc(int[3] y) { int bar() { y[2] += 4; return y[2] + 3; } return &bar; } dg_t dg = abc(a); fill(); assert(a[2] == 12); auto i = dg(); assert(a[2] == 12); assert(i == 19); } /************************************/ void test8() { S s = S(7,8,9,10); dg_t abc(ref S t) { int bar() { t.d += 4; return t.c + 3; } return &bar; } dg_t dg = abc(s); fill(); assert(s.d == 10); auto i = dg(); assert(s.d == 14); assert(i == 12); } /************************************/ S foo9(out dg_t dg) { S s1 = S(7,8,9,10); dg_t abc() { int bar() { s1.d += 4; return s1.c + 3; } return &bar; } dg = abc(); return s1; } void test9() { dg_t dg; S s = foo9(dg); fill(); assert(s.a == 7); assert(s.b == 8); assert(s.c == 9); assert(s.d == 10); auto i = dg(); assert(s.d == 10); assert(i == 12); } /************************************/ dg_t foo10() { dg_t abc() { int x = 7; int bar() { int def() { return x + 3; } return def(); } return &bar; } return abc(); } void test10() { dg_t dg = foo10(); fill(); printf("bar = %d\n", dg()); assert(dg() == 10); } /************************************/ dg_t foo11() { int x = 7; class T { int bar() { return x + 3; } } T t = new T; return &t.bar; } void test11() { dg_t dg = foo11(); fill(); printf("bar = %d\n", dg()); assert(dg() == 10); } /************************************/ dg_t foo12() { int x = 7; class T { int bar() { return x + 3; } int xyz() { return bar(); } } T t = new T; return &t.xyz; } void test12() { dg_t dg = foo12(); fill(); printf("bar = %d\n", dg()); assert(dg() == 10); } /************************************/ dg_t foo13() { int x = 7; class T { int xyz() { int bar() { return x + 3; } return bar(); } } T t = new T; return &t.xyz; } void test13() { dg_t dg = foo13(); fill(); printf("bar = %d\n", dg()); assert(dg() == 10); } /************************************/ dg_t foo14() { class T { int xyz() { int x = 7; int bar() { return x + 3; } return bar(); } } T t = new T; return &t.xyz; } void test14() { dg_t dg = foo14(); fill(); printf("bar = %d\n", dg()); assert(dg() == 10); } /************************************/ dg_t foo15() { class T { int x = 7; int xyz() { int bar() { return x + 3; } return bar(); } } T t = new T; return &t.xyz; } void test15() { dg_t dg = foo15(); fill(); printf("bar = %d\n", dg()); assert(dg() == 10); } /************************************/ dg_t foo16() { int a = 5; class T { int x = 7; int xyz() { int y = 8; int bar() { return a + x + y + 3; } return bar(); } } T t = new T; return &t.xyz; } void test16() { dg_t dg = foo16(); fill(); printf("bar = %d\n", dg()); assert(dg() == 23); } /************************************/ dg_t foo17() { int a = 5; class T { int x = 7; dg_t xyz() { int y = 8; int bar() { return a + x + y + 3; } return &bar; } } T t = new T; return t.xyz(); } void test17() { dg_t dg = foo17(); fill(); printf("bar = %d\n", dg()); assert(dg() == 23); } /************************************/ dg_t dg18; void bar18() { int a = 7; int foo() { return a + 3; } dg18 = &foo; int i = dg18(); assert(i == 10); } void test18() { bar18(); fill(); int i = dg18(); assert(i == 10); } /************************************/ void abc19(void delegate() dg) { dg(); dg(); dg(); } struct S19 { static S19 call(int v) { S19 result; result.v = v; void nest() { result.v += 1; } abc19(&nest); return result; } int a; int v; int x,y,z; } int foo19() { auto s = S19.call(5); return s.v; } void test19() { int i = foo19(); printf("%d\n", i); assert(i == 8); } /************************************/ void enforce20(lazy int msg) { } void test20() { int x; foreach (j; 0 .. 10) { printf("%d\n", j); assert(j == x); x++; enforce20(j); } } /************************************/ void thrash21() { char[128] x = '\xfe'; } void delegate() dg21; int g_input = 11, g_output; void f21() { int i = g_input + 2; class X { // both 'private' and 'final' to make non-virtual private final void actual() { g_output = i; } void go() { actual(); } } dg21 = & (new X).go; } void test21() { f21(); thrash21(); dg21(); assert(g_output == 13); } /************************************/ void thrash22() { char[128] x = '\xfe'; } int gi22; void delegate() dg22; class A22 { int x = 42; void am() { int j; /* Making f access this variable causes f's chain to be am's frame. Otherwise, f's chain would be the A instance. */ void f() { int k = j; void g() { class B { void bm() { gi22 = x; /* No checkedNestedReference for A.am.this, so it is never placed in a closure. */ } } (new B).bm(); } dg22 = &g; } f(); } } void test22() { (new A22).am(); thrash22(); dg22(); assert(gi22 == 42); } /************************************/ // 1841 int delegate() foo1841() { int stack; int heap = 3; int nested_func() { ++heap; return heap; } return delegate int() { return nested_func(); }; } int delegate() foo1841b() { int stack; int heap = 7; int nested_func() { ++heap; return heap; } int more_nested() { return nested_func(); } return delegate int() { return more_nested(); }; } void bug1841() { auto z = foo1841(); auto p = foo1841(); assert(z() == 4); p(); assert(z() == 5); z = foo1841b(); p = foo1841b(); assert(z() == 8); p(); assert(z() == 9); } /************************************/ // 5911 void writeln5911(const(char)[] str) {} void logout5911(lazy const(char)[] msg) { writeln5911(msg); } void test5911() { string str = "hello world"; logout5911((){ return str; }()); // closure 1 try { throw new Exception("exception!!"); } catch (Exception e) { assert(e !is null); logout5911(e.toString()); // closure2 SEGV : e is null. } } /************************************/ // 9685 auto get9685a(alias fun)() { int x = 10; struct Foo { size_t data; @property clone() { return Foo(15); } } return Foo(5); } void test9685a() { uint a = 42; auto bar = get9685a!(() => a)(); auto qux = bar.clone; //printf("bar context pointer : %p\n", bar.tupleof[$-1]); //printf("qux context pointer : %p\n", qux.tupleof[$-1]); assert(bar.tupleof[$-1] == qux.tupleof[$-1]); assert(qux.data == 15); } auto get9685b(alias fun)() { int x = 10; struct Foo { size_t data; @property clone() { return Foo(data + x); } } return Foo(5); } void test9685b() { uint a = 42; auto bar = get9685b!(() => a)(); auto qux = bar.clone; //printf("bar context pointer : %p\n", bar.tupleof[$-1]); //printf("qux context pointer : %p\n", qux.tupleof[$-1]); assert(bar.tupleof[$-1] == qux.tupleof[$-1]); assert(qux.data == 15); } /************************************/ int main() { test1(); test2(); test3(); test4(); test5(); test6(); test7(); test8(); test9(); test10(); test11(); test12(); test13(); test14(); test15(); test16(); test17(); test18(); test19(); test20(); test21(); test22(); bug1841(); test5911(); test9685a(); test9685b(); printf("Success\n"); return 0; }
D
/** * * /home/tomas/workspace/trading/stockd/source/stockd/data/nrepeat.d * * Author: * Tomáš Chaloupka <chalucha@gmail.com> * * Copyright (c) 2014 ${CopyrightHolder} * * This program is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with this program. If not, see <http://www.gnu.org/licenses/>. */ module stockd.data.nrepeat; import std.range; import stockd.defs; import stockd.data.marketdata; /** * Repeats each element of input range n-times. * Must be class because it is targeted to be reused as input for other ranges and this wont work with structs. */ class NRepeat(R) if (isInputRange!R) { private R _input; private ElementType!R _current; private uint _times; private uint _n; this(R input, uint times) { assert(times > 0); _input = input; _current = input.front; _times = times; } @property auto ref front() { return _current; } @property bool empty() { return _input.empty; } void popFront() { if(++_n == _times) { _input.popFront(); if(!empty) _current = _input.front; _n = 0; } } } auto nRepeat(R)(R input, uint times) if (isInputRange!R) { return new NRepeat!R(input, times); } unittest { int[] a = [1,2,3,4,5]; assert(equal(nRepeat(a, 1), [1,2,3,4,5][])); assert(equal(nRepeat(a, 2), [1,1,2,2,3,3,4,4,5,5][])); assert(equal(nRepeat(a, 3), [1,1,1,2,2,2,3,3,3,4,4,4,5,5,5][])); string barsText = r"20110715 205500;1.4154;1.41545;1.41491;1.41498;33450 20110715 205600;1.415;1.4152;1.41481;1.41481;11360 20110715 205700;1.41486;1.41522;1.41477;1.41486;31010 20110715 205800;1.41488;1.41506;1.41473;1.41502;15170 20110715 205900;1.41489;1.41561;1.41486;1.41561;15280 20110715 210000;1.41549;1.41549;1.41532;1.41532;540"; Bar[] expected = [ bar!"20110715 205500;1.4154;1.41545;1.41491;1.41498;33450", bar!"20110715 205500;1.4154;1.41545;1.41491;1.41498;33450", bar!"20110715 205600;1.415;1.4152;1.41481;1.41481;11360", bar!"20110715 205600;1.415;1.4152;1.41481;1.41481;11360", bar!"20110715 205700;1.41486;1.41522;1.41477;1.41486;31010", bar!"20110715 205700;1.41486;1.41522;1.41477;1.41486;31010", bar!"20110715 205800;1.41488;1.41506;1.41473;1.41502;15170", bar!"20110715 205800;1.41488;1.41506;1.41473;1.41502;15170", bar!"20110715 205900;1.41489;1.41561;1.41486;1.41561;15280", bar!"20110715 205900;1.41489;1.41561;1.41486;1.41561;15280", bar!"20110715 210000;1.41549;1.41549;1.41532;1.41532;540", bar!"20110715 210000;1.41549;1.41549;1.41532;1.41532;540" ]; auto range = nRepeat(marketData(barsText), 2); assert(isInputRange!(typeof(range))); assert(is(ElementType!(typeof(range)) == Bar)); auto data = range.array; assert(data == expected); range = nRepeat(marketData(barsText), 2); for(int i=0; !range.empty; i++) { assert(range.front == expected[i*2]); range.popFront(); range.popFront(); } }
D
/// global configurations module grain.config; /// shared bool backprop = false;
D
// Copyright Brian Schott (Hackerpilot) 2014. // Distributed under the Boost Software License, Version 1.0. // (See accompanying file LICENSE_1_0.txt or copy at // http://www.boost.org/LICENSE_1_0.txt) module analysis.numbers; import std.stdio; import std.regex; import dparse.ast; import dparse.lexer; import analysis.base; import analysis.helpers; import dsymbol.scope_ : Scope; /** * Checks for long and hard-to-read number literals */ class NumberStyleCheck : BaseAnalyzer { public: alias visit = BaseAnalyzer.visit; /** * Constructs the style checker with the given file name. */ this(string fileName, const(Scope)* sc) { super(fileName, sc); } override void visit(const Token t) { import std.algorithm : startsWith; if (isNumberLiteral(t.type) && !t.text.startsWith("0x") && ((t.text.startsWith("0b") && !t.text.matchFirst(badBinaryRegex) .empty) || !t.text.matchFirst(badDecimalRegex).empty)) { addErrorMessage(t.line, t.column, "dscanner.style.number_literals", "Use underscores to improve number constant readability."); } } private: auto badBinaryRegex = ctRegex!(`^0b[01]{9,}`); auto badDecimalRegex = ctRegex!(`^\d{5,}`); } unittest { import analysis.config : StaticAnalysisConfig; StaticAnalysisConfig sac; sac.number_style_check = true; assertAnalyzerWarnings(q{ void testNumbers() { int a; a = 1; // ok a = 10; // ok a = 100; // ok a = 1000; // FIXME: boom a = 10000; // [warn]: Use underscores to improve number constant readability. a = 100000; // [warn]: Use underscores to improve number constant readability. a = 1000000; // [warn]: Use underscores to improve number constant readability. } }c, sac); stderr.writeln("Unittest for NumberStyleCheck passed."); }
D
/* * socket.d * * This module implements the platform specifics for the Socket class. * * Author: Dave Wilkinson * Originated: July 25th, 2009 * */ module platform.vars.socket; struct SocketPlatformVars { int m_skt; }
D
module dvulkan.types; alias uint8_t = ubyte; alias uint16_t = ushort; alias uint32_t = uint; alias uint64_t = ulong; alias int8_t = byte; alias int16_t = short; alias int32_t = int; alias int64_t = long; @nogc pure nothrow { uint VK_MAKE_VERSION(uint major, uint minor, uint patch) { return (major << 22) | (minor << 12) | (patch); } uint VK_VERSION_MAJOR(uint ver) { return ver >> 22; } uint VK_VERSION_MINOR(uint ver) { return (ver >> 12) & 0x3ff; } uint VK_VERSION_PATCH(uint ver) { return ver & 0xfff; } } enum VK_NULL_HANDLE = null; enum VK_DEFINE_HANDLE(string name) = "struct "~name~"_handle; alias "~name~" = "~name~"_handle*;"; version(X86_64) { alias VK_DEFINE_NON_DISPATCHABLE_HANDLE(string name) = VK_DEFINE_HANDLE!name; } else { enum VK_DEFINE_NON_DISPATCHABLE_HANDLE(string name) = "alias "~name~" = ulong;"; } // VK_VERSION_1_0 alias VkFlags = uint32_t; alias VkBool32 = uint32_t; alias VkDeviceSize = uint64_t; alias VkSampleMask = uint32_t; mixin(VK_DEFINE_HANDLE!q{VkInstance}); mixin(VK_DEFINE_HANDLE!q{VkPhysicalDevice}); mixin(VK_DEFINE_HANDLE!q{VkDevice}); mixin(VK_DEFINE_HANDLE!q{VkQueue}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkSemaphore}); mixin(VK_DEFINE_HANDLE!q{VkCommandBuffer}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkFence}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkDeviceMemory}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkBuffer}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkImage}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkEvent}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkQueryPool}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkBufferView}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkImageView}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkShaderModule}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkPipelineCache}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkPipelineLayout}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkRenderPass}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkPipeline}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkDescriptorSetLayout}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkSampler}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkDescriptorPool}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkDescriptorSet}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkFramebuffer}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkCommandPool}); enum VK_LOD_CLAMP_NONE = 1000.0f; enum VK_REMAINING_MIP_LEVELS = (~0U); enum VK_REMAINING_ARRAY_LAYERS = (~0U); enum VK_WHOLE_SIZE = (~0UL); enum VK_ATTACHMENT_UNUSED = (~0U); enum VK_TRUE = 1; enum VK_FALSE = 0; enum VK_QUEUE_FAMILY_IGNORED = (~0U); enum VK_SUBPASS_EXTERNAL = (~0U); enum VK_MAX_PHYSICAL_DEVICE_NAME_SIZE = 256; enum VK_UUID_SIZE = 16; enum VK_MAX_MEMORY_TYPES = 32; enum VK_MAX_MEMORY_HEAPS = 16; enum VK_MAX_EXTENSION_NAME_SIZE = 256; enum VK_MAX_DESCRIPTION_SIZE = 256; enum VkPipelineCacheHeaderVersion { VK_PIPELINE_CACHE_HEADER_VERSION_ONE = 1, VK_PIPELINE_CACHE_HEADER_VERSION_BEGIN_RANGE = VK_PIPELINE_CACHE_HEADER_VERSION_ONE, VK_PIPELINE_CACHE_HEADER_VERSION_END_RANGE = VK_PIPELINE_CACHE_HEADER_VERSION_ONE, VK_PIPELINE_CACHE_HEADER_VERSION_RANGE_SIZE = (VK_PIPELINE_CACHE_HEADER_VERSION_ONE - VK_PIPELINE_CACHE_HEADER_VERSION_ONE + 1), VK_PIPELINE_CACHE_HEADER_VERSION_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_PIPELINE_CACHE_HEADER_VERSION_ONE = VkPipelineCacheHeaderVersion.VK_PIPELINE_CACHE_HEADER_VERSION_ONE; enum VK_PIPELINE_CACHE_HEADER_VERSION_BEGIN_RANGE = VkPipelineCacheHeaderVersion.VK_PIPELINE_CACHE_HEADER_VERSION_BEGIN_RANGE; enum VK_PIPELINE_CACHE_HEADER_VERSION_END_RANGE = VkPipelineCacheHeaderVersion.VK_PIPELINE_CACHE_HEADER_VERSION_END_RANGE; enum VK_PIPELINE_CACHE_HEADER_VERSION_RANGE_SIZE = VkPipelineCacheHeaderVersion.VK_PIPELINE_CACHE_HEADER_VERSION_RANGE_SIZE; enum VK_PIPELINE_CACHE_HEADER_VERSION_MAX_ENUM = VkPipelineCacheHeaderVersion.VK_PIPELINE_CACHE_HEADER_VERSION_MAX_ENUM; } enum VkResult { VK_SUCCESS = 0, VK_NOT_READY = 1, VK_TIMEOUT = 2, VK_EVENT_SET = 3, VK_EVENT_RESET = 4, VK_INCOMPLETE = 5, VK_ERROR_OUT_OF_HOST_MEMORY = -1, VK_ERROR_OUT_OF_DEVICE_MEMORY = -2, VK_ERROR_INITIALIZATION_FAILED = -3, VK_ERROR_DEVICE_LOST = -4, VK_ERROR_MEMORY_MAP_FAILED = -5, VK_ERROR_LAYER_NOT_PRESENT = -6, VK_ERROR_EXTENSION_NOT_PRESENT = -7, VK_ERROR_FEATURE_NOT_PRESENT = -8, VK_ERROR_INCOMPATIBLE_DRIVER = -9, VK_ERROR_TOO_MANY_OBJECTS = -10, VK_ERROR_FORMAT_NOT_SUPPORTED = -11, VK_ERROR_SURFACE_LOST_KHR = -1000000000, VK_ERROR_NATIVE_WINDOW_IN_USE_KHR = -1000000001, VK_SUBOPTIMAL_KHR = 1000001003, VK_ERROR_OUT_OF_DATE_KHR = -1000001004, VK_ERROR_INCOMPATIBLE_DISPLAY_KHR = -1000003001, VK_ERROR_VALIDATION_FAILED_EXT = -1000011001, VK_ERROR_INVALID_SHADER_NV = -1000012000, VK_NV_EXTENSION_1_ERROR = -1000013000, VK_RESULT_BEGIN_RANGE = VK_ERROR_FORMAT_NOT_SUPPORTED, VK_RESULT_END_RANGE = VK_INCOMPLETE, VK_RESULT_RANGE_SIZE = (VK_INCOMPLETE - VK_ERROR_FORMAT_NOT_SUPPORTED + 1), VK_RESULT_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SUCCESS = VkResult.VK_SUCCESS; enum VK_NOT_READY = VkResult.VK_NOT_READY; enum VK_TIMEOUT = VkResult.VK_TIMEOUT; enum VK_EVENT_SET = VkResult.VK_EVENT_SET; enum VK_EVENT_RESET = VkResult.VK_EVENT_RESET; enum VK_INCOMPLETE = VkResult.VK_INCOMPLETE; enum VK_ERROR_OUT_OF_HOST_MEMORY = VkResult.VK_ERROR_OUT_OF_HOST_MEMORY; enum VK_ERROR_OUT_OF_DEVICE_MEMORY = VkResult.VK_ERROR_OUT_OF_DEVICE_MEMORY; enum VK_ERROR_INITIALIZATION_FAILED = VkResult.VK_ERROR_INITIALIZATION_FAILED; enum VK_ERROR_DEVICE_LOST = VkResult.VK_ERROR_DEVICE_LOST; enum VK_ERROR_MEMORY_MAP_FAILED = VkResult.VK_ERROR_MEMORY_MAP_FAILED; enum VK_ERROR_LAYER_NOT_PRESENT = VkResult.VK_ERROR_LAYER_NOT_PRESENT; enum VK_ERROR_EXTENSION_NOT_PRESENT = VkResult.VK_ERROR_EXTENSION_NOT_PRESENT; enum VK_ERROR_FEATURE_NOT_PRESENT = VkResult.VK_ERROR_FEATURE_NOT_PRESENT; enum VK_ERROR_INCOMPATIBLE_DRIVER = VkResult.VK_ERROR_INCOMPATIBLE_DRIVER; enum VK_ERROR_TOO_MANY_OBJECTS = VkResult.VK_ERROR_TOO_MANY_OBJECTS; enum VK_ERROR_FORMAT_NOT_SUPPORTED = VkResult.VK_ERROR_FORMAT_NOT_SUPPORTED; enum VK_ERROR_SURFACE_LOST_KHR = VkResult.VK_ERROR_SURFACE_LOST_KHR; enum VK_ERROR_NATIVE_WINDOW_IN_USE_KHR = VkResult.VK_ERROR_NATIVE_WINDOW_IN_USE_KHR; enum VK_SUBOPTIMAL_KHR = VkResult.VK_SUBOPTIMAL_KHR; enum VK_ERROR_OUT_OF_DATE_KHR = VkResult.VK_ERROR_OUT_OF_DATE_KHR; enum VK_ERROR_INCOMPATIBLE_DISPLAY_KHR = VkResult.VK_ERROR_INCOMPATIBLE_DISPLAY_KHR; enum VK_ERROR_VALIDATION_FAILED_EXT = VkResult.VK_ERROR_VALIDATION_FAILED_EXT; enum VK_ERROR_INVALID_SHADER_NV = VkResult.VK_ERROR_INVALID_SHADER_NV; enum VK_NV_EXTENSION_1_ERROR = VkResult.VK_NV_EXTENSION_1_ERROR; enum VK_RESULT_BEGIN_RANGE = VkResult.VK_RESULT_BEGIN_RANGE; enum VK_RESULT_END_RANGE = VkResult.VK_RESULT_END_RANGE; enum VK_RESULT_RANGE_SIZE = VkResult.VK_RESULT_RANGE_SIZE; enum VK_RESULT_MAX_ENUM = VkResult.VK_RESULT_MAX_ENUM; } enum VkStructureType { VK_STRUCTURE_TYPE_APPLICATION_INFO = 0, VK_STRUCTURE_TYPE_INSTANCE_CREATE_INFO = 1, VK_STRUCTURE_TYPE_DEVICE_QUEUE_CREATE_INFO = 2, VK_STRUCTURE_TYPE_DEVICE_CREATE_INFO = 3, VK_STRUCTURE_TYPE_SUBMIT_INFO = 4, VK_STRUCTURE_TYPE_MEMORY_ALLOCATE_INFO = 5, VK_STRUCTURE_TYPE_MAPPED_MEMORY_RANGE = 6, VK_STRUCTURE_TYPE_BIND_SPARSE_INFO = 7, VK_STRUCTURE_TYPE_FENCE_CREATE_INFO = 8, VK_STRUCTURE_TYPE_SEMAPHORE_CREATE_INFO = 9, VK_STRUCTURE_TYPE_EVENT_CREATE_INFO = 10, VK_STRUCTURE_TYPE_QUERY_POOL_CREATE_INFO = 11, VK_STRUCTURE_TYPE_BUFFER_CREATE_INFO = 12, VK_STRUCTURE_TYPE_BUFFER_VIEW_CREATE_INFO = 13, VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO = 14, VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO = 15, VK_STRUCTURE_TYPE_SHADER_MODULE_CREATE_INFO = 16, VK_STRUCTURE_TYPE_PIPELINE_CACHE_CREATE_INFO = 17, VK_STRUCTURE_TYPE_PIPELINE_SHADER_STAGE_CREATE_INFO = 18, VK_STRUCTURE_TYPE_PIPELINE_VERTEX_INPUT_STATE_CREATE_INFO = 19, VK_STRUCTURE_TYPE_PIPELINE_INPUT_ASSEMBLY_STATE_CREATE_INFO = 20, VK_STRUCTURE_TYPE_PIPELINE_TESSELLATION_STATE_CREATE_INFO = 21, VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_STATE_CREATE_INFO = 22, VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_CREATE_INFO = 23, VK_STRUCTURE_TYPE_PIPELINE_MULTISAMPLE_STATE_CREATE_INFO = 24, VK_STRUCTURE_TYPE_PIPELINE_DEPTH_STENCIL_STATE_CREATE_INFO = 25, VK_STRUCTURE_TYPE_PIPELINE_COLOR_BLEND_STATE_CREATE_INFO = 26, VK_STRUCTURE_TYPE_PIPELINE_DYNAMIC_STATE_CREATE_INFO = 27, VK_STRUCTURE_TYPE_GRAPHICS_PIPELINE_CREATE_INFO = 28, VK_STRUCTURE_TYPE_COMPUTE_PIPELINE_CREATE_INFO = 29, VK_STRUCTURE_TYPE_PIPELINE_LAYOUT_CREATE_INFO = 30, VK_STRUCTURE_TYPE_SAMPLER_CREATE_INFO = 31, VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_CREATE_INFO = 32, VK_STRUCTURE_TYPE_DESCRIPTOR_POOL_CREATE_INFO = 33, VK_STRUCTURE_TYPE_DESCRIPTOR_SET_ALLOCATE_INFO = 34, VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET = 35, VK_STRUCTURE_TYPE_COPY_DESCRIPTOR_SET = 36, VK_STRUCTURE_TYPE_FRAMEBUFFER_CREATE_INFO = 37, VK_STRUCTURE_TYPE_RENDER_PASS_CREATE_INFO = 38, VK_STRUCTURE_TYPE_COMMAND_POOL_CREATE_INFO = 39, VK_STRUCTURE_TYPE_COMMAND_BUFFER_ALLOCATE_INFO = 40, VK_STRUCTURE_TYPE_COMMAND_BUFFER_INHERITANCE_INFO = 41, VK_STRUCTURE_TYPE_COMMAND_BUFFER_BEGIN_INFO = 42, VK_STRUCTURE_TYPE_RENDER_PASS_BEGIN_INFO = 43, VK_STRUCTURE_TYPE_BUFFER_MEMORY_BARRIER = 44, VK_STRUCTURE_TYPE_IMAGE_MEMORY_BARRIER = 45, VK_STRUCTURE_TYPE_MEMORY_BARRIER = 46, VK_STRUCTURE_TYPE_LOADER_INSTANCE_CREATE_INFO = 47, VK_STRUCTURE_TYPE_LOADER_DEVICE_CREATE_INFO = 48, VK_STRUCTURE_TYPE_SWAPCHAIN_CREATE_INFO_KHR = 1000001000, VK_STRUCTURE_TYPE_PRESENT_INFO_KHR = 1000001001, VK_STRUCTURE_TYPE_DISPLAY_MODE_CREATE_INFO_KHR = 1000002000, VK_STRUCTURE_TYPE_DISPLAY_SURFACE_CREATE_INFO_KHR = 1000002001, VK_STRUCTURE_TYPE_DISPLAY_PRESENT_INFO_KHR = 1000003000, VK_STRUCTURE_TYPE_XLIB_SURFACE_CREATE_INFO_KHR = 1000004000, VK_STRUCTURE_TYPE_XCB_SURFACE_CREATE_INFO_KHR = 1000005000, VK_STRUCTURE_TYPE_WAYLAND_SURFACE_CREATE_INFO_KHR = 1000006000, VK_STRUCTURE_TYPE_MIR_SURFACE_CREATE_INFO_KHR = 1000007000, VK_STRUCTURE_TYPE_ANDROID_SURFACE_CREATE_INFO_KHR = 1000008000, VK_STRUCTURE_TYPE_WIN32_SURFACE_CREATE_INFO_KHR = 1000009000, VK_STRUCTURE_TYPE_DEBUG_REPORT_CALLBACK_CREATE_INFO_EXT = 1000011000, VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_RASTERIZATION_ORDER_AMD = 1000018000, VK_STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_NAME_INFO_EXT = 1000022000, VK_STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_TAG_INFO_EXT = 1000022001, VK_STRUCTURE_TYPE_DEBUG_MARKER_MARKER_INFO_EXT = 1000022002, VK_STRUCTURE_TYPE_BEGIN_RANGE = VK_STRUCTURE_TYPE_APPLICATION_INFO, VK_STRUCTURE_TYPE_END_RANGE = VK_STRUCTURE_TYPE_LOADER_DEVICE_CREATE_INFO, VK_STRUCTURE_TYPE_RANGE_SIZE = (VK_STRUCTURE_TYPE_LOADER_DEVICE_CREATE_INFO - VK_STRUCTURE_TYPE_APPLICATION_INFO + 1), VK_STRUCTURE_TYPE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_STRUCTURE_TYPE_APPLICATION_INFO = VkStructureType.VK_STRUCTURE_TYPE_APPLICATION_INFO; enum VK_STRUCTURE_TYPE_INSTANCE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_INSTANCE_CREATE_INFO; enum VK_STRUCTURE_TYPE_DEVICE_QUEUE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_DEVICE_QUEUE_CREATE_INFO; enum VK_STRUCTURE_TYPE_DEVICE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_DEVICE_CREATE_INFO; enum VK_STRUCTURE_TYPE_SUBMIT_INFO = VkStructureType.VK_STRUCTURE_TYPE_SUBMIT_INFO; enum VK_STRUCTURE_TYPE_MEMORY_ALLOCATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_MEMORY_ALLOCATE_INFO; enum VK_STRUCTURE_TYPE_MAPPED_MEMORY_RANGE = VkStructureType.VK_STRUCTURE_TYPE_MAPPED_MEMORY_RANGE; enum VK_STRUCTURE_TYPE_BIND_SPARSE_INFO = VkStructureType.VK_STRUCTURE_TYPE_BIND_SPARSE_INFO; enum VK_STRUCTURE_TYPE_FENCE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_FENCE_CREATE_INFO; enum VK_STRUCTURE_TYPE_SEMAPHORE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_SEMAPHORE_CREATE_INFO; enum VK_STRUCTURE_TYPE_EVENT_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_EVENT_CREATE_INFO; enum VK_STRUCTURE_TYPE_QUERY_POOL_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_QUERY_POOL_CREATE_INFO; enum VK_STRUCTURE_TYPE_BUFFER_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_BUFFER_CREATE_INFO; enum VK_STRUCTURE_TYPE_BUFFER_VIEW_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_BUFFER_VIEW_CREATE_INFO; enum VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO; enum VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO; enum VK_STRUCTURE_TYPE_SHADER_MODULE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_SHADER_MODULE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_CACHE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_CACHE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_SHADER_STAGE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_SHADER_STAGE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_VERTEX_INPUT_STATE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_VERTEX_INPUT_STATE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_INPUT_ASSEMBLY_STATE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_INPUT_ASSEMBLY_STATE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_TESSELLATION_STATE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_TESSELLATION_STATE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_STATE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_STATE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_MULTISAMPLE_STATE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_MULTISAMPLE_STATE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_DEPTH_STENCIL_STATE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_DEPTH_STENCIL_STATE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_COLOR_BLEND_STATE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_COLOR_BLEND_STATE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_DYNAMIC_STATE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_DYNAMIC_STATE_CREATE_INFO; enum VK_STRUCTURE_TYPE_GRAPHICS_PIPELINE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_GRAPHICS_PIPELINE_CREATE_INFO; enum VK_STRUCTURE_TYPE_COMPUTE_PIPELINE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_COMPUTE_PIPELINE_CREATE_INFO; enum VK_STRUCTURE_TYPE_PIPELINE_LAYOUT_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_LAYOUT_CREATE_INFO; enum VK_STRUCTURE_TYPE_SAMPLER_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_SAMPLER_CREATE_INFO; enum VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_CREATE_INFO; enum VK_STRUCTURE_TYPE_DESCRIPTOR_POOL_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_DESCRIPTOR_POOL_CREATE_INFO; enum VK_STRUCTURE_TYPE_DESCRIPTOR_SET_ALLOCATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_DESCRIPTOR_SET_ALLOCATE_INFO; enum VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET = VkStructureType.VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET; enum VK_STRUCTURE_TYPE_COPY_DESCRIPTOR_SET = VkStructureType.VK_STRUCTURE_TYPE_COPY_DESCRIPTOR_SET; enum VK_STRUCTURE_TYPE_FRAMEBUFFER_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_FRAMEBUFFER_CREATE_INFO; enum VK_STRUCTURE_TYPE_RENDER_PASS_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_RENDER_PASS_CREATE_INFO; enum VK_STRUCTURE_TYPE_COMMAND_POOL_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_COMMAND_POOL_CREATE_INFO; enum VK_STRUCTURE_TYPE_COMMAND_BUFFER_ALLOCATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_COMMAND_BUFFER_ALLOCATE_INFO; enum VK_STRUCTURE_TYPE_COMMAND_BUFFER_INHERITANCE_INFO = VkStructureType.VK_STRUCTURE_TYPE_COMMAND_BUFFER_INHERITANCE_INFO; enum VK_STRUCTURE_TYPE_COMMAND_BUFFER_BEGIN_INFO = VkStructureType.VK_STRUCTURE_TYPE_COMMAND_BUFFER_BEGIN_INFO; enum VK_STRUCTURE_TYPE_RENDER_PASS_BEGIN_INFO = VkStructureType.VK_STRUCTURE_TYPE_RENDER_PASS_BEGIN_INFO; enum VK_STRUCTURE_TYPE_BUFFER_MEMORY_BARRIER = VkStructureType.VK_STRUCTURE_TYPE_BUFFER_MEMORY_BARRIER; enum VK_STRUCTURE_TYPE_IMAGE_MEMORY_BARRIER = VkStructureType.VK_STRUCTURE_TYPE_IMAGE_MEMORY_BARRIER; enum VK_STRUCTURE_TYPE_MEMORY_BARRIER = VkStructureType.VK_STRUCTURE_TYPE_MEMORY_BARRIER; enum VK_STRUCTURE_TYPE_LOADER_INSTANCE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_LOADER_INSTANCE_CREATE_INFO; enum VK_STRUCTURE_TYPE_LOADER_DEVICE_CREATE_INFO = VkStructureType.VK_STRUCTURE_TYPE_LOADER_DEVICE_CREATE_INFO; enum VK_STRUCTURE_TYPE_SWAPCHAIN_CREATE_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_SWAPCHAIN_CREATE_INFO_KHR; enum VK_STRUCTURE_TYPE_PRESENT_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_PRESENT_INFO_KHR; enum VK_STRUCTURE_TYPE_DISPLAY_MODE_CREATE_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_DISPLAY_MODE_CREATE_INFO_KHR; enum VK_STRUCTURE_TYPE_DISPLAY_SURFACE_CREATE_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_DISPLAY_SURFACE_CREATE_INFO_KHR; enum VK_STRUCTURE_TYPE_DISPLAY_PRESENT_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_DISPLAY_PRESENT_INFO_KHR; enum VK_STRUCTURE_TYPE_XLIB_SURFACE_CREATE_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_XLIB_SURFACE_CREATE_INFO_KHR; enum VK_STRUCTURE_TYPE_XCB_SURFACE_CREATE_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_XCB_SURFACE_CREATE_INFO_KHR; enum VK_STRUCTURE_TYPE_WAYLAND_SURFACE_CREATE_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_WAYLAND_SURFACE_CREATE_INFO_KHR; enum VK_STRUCTURE_TYPE_MIR_SURFACE_CREATE_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_MIR_SURFACE_CREATE_INFO_KHR; enum VK_STRUCTURE_TYPE_ANDROID_SURFACE_CREATE_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_ANDROID_SURFACE_CREATE_INFO_KHR; enum VK_STRUCTURE_TYPE_WIN32_SURFACE_CREATE_INFO_KHR = VkStructureType.VK_STRUCTURE_TYPE_WIN32_SURFACE_CREATE_INFO_KHR; enum VK_STRUCTURE_TYPE_DEBUG_REPORT_CALLBACK_CREATE_INFO_EXT = VkStructureType.VK_STRUCTURE_TYPE_DEBUG_REPORT_CALLBACK_CREATE_INFO_EXT; enum VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_RASTERIZATION_ORDER_AMD = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_RASTERIZATION_ORDER_AMD; enum VK_STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_NAME_INFO_EXT = VkStructureType.VK_STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_NAME_INFO_EXT; enum VK_STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_TAG_INFO_EXT = VkStructureType.VK_STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_TAG_INFO_EXT; enum VK_STRUCTURE_TYPE_DEBUG_MARKER_MARKER_INFO_EXT = VkStructureType.VK_STRUCTURE_TYPE_DEBUG_MARKER_MARKER_INFO_EXT; enum VK_STRUCTURE_TYPE_BEGIN_RANGE = VkStructureType.VK_STRUCTURE_TYPE_BEGIN_RANGE; enum VK_STRUCTURE_TYPE_END_RANGE = VkStructureType.VK_STRUCTURE_TYPE_END_RANGE; enum VK_STRUCTURE_TYPE_RANGE_SIZE = VkStructureType.VK_STRUCTURE_TYPE_RANGE_SIZE; enum VK_STRUCTURE_TYPE_MAX_ENUM = VkStructureType.VK_STRUCTURE_TYPE_MAX_ENUM; } enum VkSystemAllocationScope { VK_SYSTEM_ALLOCATION_SCOPE_COMMAND = 0, VK_SYSTEM_ALLOCATION_SCOPE_OBJECT = 1, VK_SYSTEM_ALLOCATION_SCOPE_CACHE = 2, VK_SYSTEM_ALLOCATION_SCOPE_DEVICE = 3, VK_SYSTEM_ALLOCATION_SCOPE_INSTANCE = 4, VK_SYSTEM_ALLOCATION_SCOPE_BEGIN_RANGE = VK_SYSTEM_ALLOCATION_SCOPE_COMMAND, VK_SYSTEM_ALLOCATION_SCOPE_END_RANGE = VK_SYSTEM_ALLOCATION_SCOPE_INSTANCE, VK_SYSTEM_ALLOCATION_SCOPE_RANGE_SIZE = (VK_SYSTEM_ALLOCATION_SCOPE_INSTANCE - VK_SYSTEM_ALLOCATION_SCOPE_COMMAND + 1), VK_SYSTEM_ALLOCATION_SCOPE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SYSTEM_ALLOCATION_SCOPE_COMMAND = VkSystemAllocationScope.VK_SYSTEM_ALLOCATION_SCOPE_COMMAND; enum VK_SYSTEM_ALLOCATION_SCOPE_OBJECT = VkSystemAllocationScope.VK_SYSTEM_ALLOCATION_SCOPE_OBJECT; enum VK_SYSTEM_ALLOCATION_SCOPE_CACHE = VkSystemAllocationScope.VK_SYSTEM_ALLOCATION_SCOPE_CACHE; enum VK_SYSTEM_ALLOCATION_SCOPE_DEVICE = VkSystemAllocationScope.VK_SYSTEM_ALLOCATION_SCOPE_DEVICE; enum VK_SYSTEM_ALLOCATION_SCOPE_INSTANCE = VkSystemAllocationScope.VK_SYSTEM_ALLOCATION_SCOPE_INSTANCE; enum VK_SYSTEM_ALLOCATION_SCOPE_BEGIN_RANGE = VkSystemAllocationScope.VK_SYSTEM_ALLOCATION_SCOPE_BEGIN_RANGE; enum VK_SYSTEM_ALLOCATION_SCOPE_END_RANGE = VkSystemAllocationScope.VK_SYSTEM_ALLOCATION_SCOPE_END_RANGE; enum VK_SYSTEM_ALLOCATION_SCOPE_RANGE_SIZE = VkSystemAllocationScope.VK_SYSTEM_ALLOCATION_SCOPE_RANGE_SIZE; enum VK_SYSTEM_ALLOCATION_SCOPE_MAX_ENUM = VkSystemAllocationScope.VK_SYSTEM_ALLOCATION_SCOPE_MAX_ENUM; } enum VkInternalAllocationType { VK_INTERNAL_ALLOCATION_TYPE_EXECUTABLE = 0, VK_INTERNAL_ALLOCATION_TYPE_BEGIN_RANGE = VK_INTERNAL_ALLOCATION_TYPE_EXECUTABLE, VK_INTERNAL_ALLOCATION_TYPE_END_RANGE = VK_INTERNAL_ALLOCATION_TYPE_EXECUTABLE, VK_INTERNAL_ALLOCATION_TYPE_RANGE_SIZE = (VK_INTERNAL_ALLOCATION_TYPE_EXECUTABLE - VK_INTERNAL_ALLOCATION_TYPE_EXECUTABLE + 1), VK_INTERNAL_ALLOCATION_TYPE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_INTERNAL_ALLOCATION_TYPE_EXECUTABLE = VkInternalAllocationType.VK_INTERNAL_ALLOCATION_TYPE_EXECUTABLE; enum VK_INTERNAL_ALLOCATION_TYPE_BEGIN_RANGE = VkInternalAllocationType.VK_INTERNAL_ALLOCATION_TYPE_BEGIN_RANGE; enum VK_INTERNAL_ALLOCATION_TYPE_END_RANGE = VkInternalAllocationType.VK_INTERNAL_ALLOCATION_TYPE_END_RANGE; enum VK_INTERNAL_ALLOCATION_TYPE_RANGE_SIZE = VkInternalAllocationType.VK_INTERNAL_ALLOCATION_TYPE_RANGE_SIZE; enum VK_INTERNAL_ALLOCATION_TYPE_MAX_ENUM = VkInternalAllocationType.VK_INTERNAL_ALLOCATION_TYPE_MAX_ENUM; } enum VkFormat { VK_FORMAT_UNDEFINED = 0, VK_FORMAT_R4G4_UNORM_PACK8 = 1, VK_FORMAT_R4G4B4A4_UNORM_PACK16 = 2, VK_FORMAT_B4G4R4A4_UNORM_PACK16 = 3, VK_FORMAT_R5G6B5_UNORM_PACK16 = 4, VK_FORMAT_B5G6R5_UNORM_PACK16 = 5, VK_FORMAT_R5G5B5A1_UNORM_PACK16 = 6, VK_FORMAT_B5G5R5A1_UNORM_PACK16 = 7, VK_FORMAT_A1R5G5B5_UNORM_PACK16 = 8, VK_FORMAT_R8_UNORM = 9, VK_FORMAT_R8_SNORM = 10, VK_FORMAT_R8_USCALED = 11, VK_FORMAT_R8_SSCALED = 12, VK_FORMAT_R8_UINT = 13, VK_FORMAT_R8_SINT = 14, VK_FORMAT_R8_SRGB = 15, VK_FORMAT_R8G8_UNORM = 16, VK_FORMAT_R8G8_SNORM = 17, VK_FORMAT_R8G8_USCALED = 18, VK_FORMAT_R8G8_SSCALED = 19, VK_FORMAT_R8G8_UINT = 20, VK_FORMAT_R8G8_SINT = 21, VK_FORMAT_R8G8_SRGB = 22, VK_FORMAT_R8G8B8_UNORM = 23, VK_FORMAT_R8G8B8_SNORM = 24, VK_FORMAT_R8G8B8_USCALED = 25, VK_FORMAT_R8G8B8_SSCALED = 26, VK_FORMAT_R8G8B8_UINT = 27, VK_FORMAT_R8G8B8_SINT = 28, VK_FORMAT_R8G8B8_SRGB = 29, VK_FORMAT_B8G8R8_UNORM = 30, VK_FORMAT_B8G8R8_SNORM = 31, VK_FORMAT_B8G8R8_USCALED = 32, VK_FORMAT_B8G8R8_SSCALED = 33, VK_FORMAT_B8G8R8_UINT = 34, VK_FORMAT_B8G8R8_SINT = 35, VK_FORMAT_B8G8R8_SRGB = 36, VK_FORMAT_R8G8B8A8_UNORM = 37, VK_FORMAT_R8G8B8A8_SNORM = 38, VK_FORMAT_R8G8B8A8_USCALED = 39, VK_FORMAT_R8G8B8A8_SSCALED = 40, VK_FORMAT_R8G8B8A8_UINT = 41, VK_FORMAT_R8G8B8A8_SINT = 42, VK_FORMAT_R8G8B8A8_SRGB = 43, VK_FORMAT_B8G8R8A8_UNORM = 44, VK_FORMAT_B8G8R8A8_SNORM = 45, VK_FORMAT_B8G8R8A8_USCALED = 46, VK_FORMAT_B8G8R8A8_SSCALED = 47, VK_FORMAT_B8G8R8A8_UINT = 48, VK_FORMAT_B8G8R8A8_SINT = 49, VK_FORMAT_B8G8R8A8_SRGB = 50, VK_FORMAT_A8B8G8R8_UNORM_PACK32 = 51, VK_FORMAT_A8B8G8R8_SNORM_PACK32 = 52, VK_FORMAT_A8B8G8R8_USCALED_PACK32 = 53, VK_FORMAT_A8B8G8R8_SSCALED_PACK32 = 54, VK_FORMAT_A8B8G8R8_UINT_PACK32 = 55, VK_FORMAT_A8B8G8R8_SINT_PACK32 = 56, VK_FORMAT_A8B8G8R8_SRGB_PACK32 = 57, VK_FORMAT_A2R10G10B10_UNORM_PACK32 = 58, VK_FORMAT_A2R10G10B10_SNORM_PACK32 = 59, VK_FORMAT_A2R10G10B10_USCALED_PACK32 = 60, VK_FORMAT_A2R10G10B10_SSCALED_PACK32 = 61, VK_FORMAT_A2R10G10B10_UINT_PACK32 = 62, VK_FORMAT_A2R10G10B10_SINT_PACK32 = 63, VK_FORMAT_A2B10G10R10_UNORM_PACK32 = 64, VK_FORMAT_A2B10G10R10_SNORM_PACK32 = 65, VK_FORMAT_A2B10G10R10_USCALED_PACK32 = 66, VK_FORMAT_A2B10G10R10_SSCALED_PACK32 = 67, VK_FORMAT_A2B10G10R10_UINT_PACK32 = 68, VK_FORMAT_A2B10G10R10_SINT_PACK32 = 69, VK_FORMAT_R16_UNORM = 70, VK_FORMAT_R16_SNORM = 71, VK_FORMAT_R16_USCALED = 72, VK_FORMAT_R16_SSCALED = 73, VK_FORMAT_R16_UINT = 74, VK_FORMAT_R16_SINT = 75, VK_FORMAT_R16_SFLOAT = 76, VK_FORMAT_R16G16_UNORM = 77, VK_FORMAT_R16G16_SNORM = 78, VK_FORMAT_R16G16_USCALED = 79, VK_FORMAT_R16G16_SSCALED = 80, VK_FORMAT_R16G16_UINT = 81, VK_FORMAT_R16G16_SINT = 82, VK_FORMAT_R16G16_SFLOAT = 83, VK_FORMAT_R16G16B16_UNORM = 84, VK_FORMAT_R16G16B16_SNORM = 85, VK_FORMAT_R16G16B16_USCALED = 86, VK_FORMAT_R16G16B16_SSCALED = 87, VK_FORMAT_R16G16B16_UINT = 88, VK_FORMAT_R16G16B16_SINT = 89, VK_FORMAT_R16G16B16_SFLOAT = 90, VK_FORMAT_R16G16B16A16_UNORM = 91, VK_FORMAT_R16G16B16A16_SNORM = 92, VK_FORMAT_R16G16B16A16_USCALED = 93, VK_FORMAT_R16G16B16A16_SSCALED = 94, VK_FORMAT_R16G16B16A16_UINT = 95, VK_FORMAT_R16G16B16A16_SINT = 96, VK_FORMAT_R16G16B16A16_SFLOAT = 97, VK_FORMAT_R32_UINT = 98, VK_FORMAT_R32_SINT = 99, VK_FORMAT_R32_SFLOAT = 100, VK_FORMAT_R32G32_UINT = 101, VK_FORMAT_R32G32_SINT = 102, VK_FORMAT_R32G32_SFLOAT = 103, VK_FORMAT_R32G32B32_UINT = 104, VK_FORMAT_R32G32B32_SINT = 105, VK_FORMAT_R32G32B32_SFLOAT = 106, VK_FORMAT_R32G32B32A32_UINT = 107, VK_FORMAT_R32G32B32A32_SINT = 108, VK_FORMAT_R32G32B32A32_SFLOAT = 109, VK_FORMAT_R64_UINT = 110, VK_FORMAT_R64_SINT = 111, VK_FORMAT_R64_SFLOAT = 112, VK_FORMAT_R64G64_UINT = 113, VK_FORMAT_R64G64_SINT = 114, VK_FORMAT_R64G64_SFLOAT = 115, VK_FORMAT_R64G64B64_UINT = 116, VK_FORMAT_R64G64B64_SINT = 117, VK_FORMAT_R64G64B64_SFLOAT = 118, VK_FORMAT_R64G64B64A64_UINT = 119, VK_FORMAT_R64G64B64A64_SINT = 120, VK_FORMAT_R64G64B64A64_SFLOAT = 121, VK_FORMAT_B10G11R11_UFLOAT_PACK32 = 122, VK_FORMAT_E5B9G9R9_UFLOAT_PACK32 = 123, VK_FORMAT_D16_UNORM = 124, VK_FORMAT_X8_D24_UNORM_PACK32 = 125, VK_FORMAT_D32_SFLOAT = 126, VK_FORMAT_S8_UINT = 127, VK_FORMAT_D16_UNORM_S8_UINT = 128, VK_FORMAT_D24_UNORM_S8_UINT = 129, VK_FORMAT_D32_SFLOAT_S8_UINT = 130, VK_FORMAT_BC1_RGB_UNORM_BLOCK = 131, VK_FORMAT_BC1_RGB_SRGB_BLOCK = 132, VK_FORMAT_BC1_RGBA_UNORM_BLOCK = 133, VK_FORMAT_BC1_RGBA_SRGB_BLOCK = 134, VK_FORMAT_BC2_UNORM_BLOCK = 135, VK_FORMAT_BC2_SRGB_BLOCK = 136, VK_FORMAT_BC3_UNORM_BLOCK = 137, VK_FORMAT_BC3_SRGB_BLOCK = 138, VK_FORMAT_BC4_UNORM_BLOCK = 139, VK_FORMAT_BC4_SNORM_BLOCK = 140, VK_FORMAT_BC5_UNORM_BLOCK = 141, VK_FORMAT_BC5_SNORM_BLOCK = 142, VK_FORMAT_BC6H_UFLOAT_BLOCK = 143, VK_FORMAT_BC6H_SFLOAT_BLOCK = 144, VK_FORMAT_BC7_UNORM_BLOCK = 145, VK_FORMAT_BC7_SRGB_BLOCK = 146, VK_FORMAT_ETC2_R8G8B8_UNORM_BLOCK = 147, VK_FORMAT_ETC2_R8G8B8_SRGB_BLOCK = 148, VK_FORMAT_ETC2_R8G8B8A1_UNORM_BLOCK = 149, VK_FORMAT_ETC2_R8G8B8A1_SRGB_BLOCK = 150, VK_FORMAT_ETC2_R8G8B8A8_UNORM_BLOCK = 151, VK_FORMAT_ETC2_R8G8B8A8_SRGB_BLOCK = 152, VK_FORMAT_EAC_R11_UNORM_BLOCK = 153, VK_FORMAT_EAC_R11_SNORM_BLOCK = 154, VK_FORMAT_EAC_R11G11_UNORM_BLOCK = 155, VK_FORMAT_EAC_R11G11_SNORM_BLOCK = 156, VK_FORMAT_ASTC_4x4_UNORM_BLOCK = 157, VK_FORMAT_ASTC_4x4_SRGB_BLOCK = 158, VK_FORMAT_ASTC_5x4_UNORM_BLOCK = 159, VK_FORMAT_ASTC_5x4_SRGB_BLOCK = 160, VK_FORMAT_ASTC_5x5_UNORM_BLOCK = 161, VK_FORMAT_ASTC_5x5_SRGB_BLOCK = 162, VK_FORMAT_ASTC_6x5_UNORM_BLOCK = 163, VK_FORMAT_ASTC_6x5_SRGB_BLOCK = 164, VK_FORMAT_ASTC_6x6_UNORM_BLOCK = 165, VK_FORMAT_ASTC_6x6_SRGB_BLOCK = 166, VK_FORMAT_ASTC_8x5_UNORM_BLOCK = 167, VK_FORMAT_ASTC_8x5_SRGB_BLOCK = 168, VK_FORMAT_ASTC_8x6_UNORM_BLOCK = 169, VK_FORMAT_ASTC_8x6_SRGB_BLOCK = 170, VK_FORMAT_ASTC_8x8_UNORM_BLOCK = 171, VK_FORMAT_ASTC_8x8_SRGB_BLOCK = 172, VK_FORMAT_ASTC_10x5_UNORM_BLOCK = 173, VK_FORMAT_ASTC_10x5_SRGB_BLOCK = 174, VK_FORMAT_ASTC_10x6_UNORM_BLOCK = 175, VK_FORMAT_ASTC_10x6_SRGB_BLOCK = 176, VK_FORMAT_ASTC_10x8_UNORM_BLOCK = 177, VK_FORMAT_ASTC_10x8_SRGB_BLOCK = 178, VK_FORMAT_ASTC_10x10_UNORM_BLOCK = 179, VK_FORMAT_ASTC_10x10_SRGB_BLOCK = 180, VK_FORMAT_ASTC_12x10_UNORM_BLOCK = 181, VK_FORMAT_ASTC_12x10_SRGB_BLOCK = 182, VK_FORMAT_ASTC_12x12_UNORM_BLOCK = 183, VK_FORMAT_ASTC_12x12_SRGB_BLOCK = 184, VK_FORMAT_BEGIN_RANGE = VK_FORMAT_UNDEFINED, VK_FORMAT_END_RANGE = VK_FORMAT_ASTC_12x12_SRGB_BLOCK, VK_FORMAT_RANGE_SIZE = (VK_FORMAT_ASTC_12x12_SRGB_BLOCK - VK_FORMAT_UNDEFINED + 1), VK_FORMAT_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_FORMAT_UNDEFINED = VkFormat.VK_FORMAT_UNDEFINED; enum VK_FORMAT_R4G4_UNORM_PACK8 = VkFormat.VK_FORMAT_R4G4_UNORM_PACK8; enum VK_FORMAT_R4G4B4A4_UNORM_PACK16 = VkFormat.VK_FORMAT_R4G4B4A4_UNORM_PACK16; enum VK_FORMAT_B4G4R4A4_UNORM_PACK16 = VkFormat.VK_FORMAT_B4G4R4A4_UNORM_PACK16; enum VK_FORMAT_R5G6B5_UNORM_PACK16 = VkFormat.VK_FORMAT_R5G6B5_UNORM_PACK16; enum VK_FORMAT_B5G6R5_UNORM_PACK16 = VkFormat.VK_FORMAT_B5G6R5_UNORM_PACK16; enum VK_FORMAT_R5G5B5A1_UNORM_PACK16 = VkFormat.VK_FORMAT_R5G5B5A1_UNORM_PACK16; enum VK_FORMAT_B5G5R5A1_UNORM_PACK16 = VkFormat.VK_FORMAT_B5G5R5A1_UNORM_PACK16; enum VK_FORMAT_A1R5G5B5_UNORM_PACK16 = VkFormat.VK_FORMAT_A1R5G5B5_UNORM_PACK16; enum VK_FORMAT_R8_UNORM = VkFormat.VK_FORMAT_R8_UNORM; enum VK_FORMAT_R8_SNORM = VkFormat.VK_FORMAT_R8_SNORM; enum VK_FORMAT_R8_USCALED = VkFormat.VK_FORMAT_R8_USCALED; enum VK_FORMAT_R8_SSCALED = VkFormat.VK_FORMAT_R8_SSCALED; enum VK_FORMAT_R8_UINT = VkFormat.VK_FORMAT_R8_UINT; enum VK_FORMAT_R8_SINT = VkFormat.VK_FORMAT_R8_SINT; enum VK_FORMAT_R8_SRGB = VkFormat.VK_FORMAT_R8_SRGB; enum VK_FORMAT_R8G8_UNORM = VkFormat.VK_FORMAT_R8G8_UNORM; enum VK_FORMAT_R8G8_SNORM = VkFormat.VK_FORMAT_R8G8_SNORM; enum VK_FORMAT_R8G8_USCALED = VkFormat.VK_FORMAT_R8G8_USCALED; enum VK_FORMAT_R8G8_SSCALED = VkFormat.VK_FORMAT_R8G8_SSCALED; enum VK_FORMAT_R8G8_UINT = VkFormat.VK_FORMAT_R8G8_UINT; enum VK_FORMAT_R8G8_SINT = VkFormat.VK_FORMAT_R8G8_SINT; enum VK_FORMAT_R8G8_SRGB = VkFormat.VK_FORMAT_R8G8_SRGB; enum VK_FORMAT_R8G8B8_UNORM = VkFormat.VK_FORMAT_R8G8B8_UNORM; enum VK_FORMAT_R8G8B8_SNORM = VkFormat.VK_FORMAT_R8G8B8_SNORM; enum VK_FORMAT_R8G8B8_USCALED = VkFormat.VK_FORMAT_R8G8B8_USCALED; enum VK_FORMAT_R8G8B8_SSCALED = VkFormat.VK_FORMAT_R8G8B8_SSCALED; enum VK_FORMAT_R8G8B8_UINT = VkFormat.VK_FORMAT_R8G8B8_UINT; enum VK_FORMAT_R8G8B8_SINT = VkFormat.VK_FORMAT_R8G8B8_SINT; enum VK_FORMAT_R8G8B8_SRGB = VkFormat.VK_FORMAT_R8G8B8_SRGB; enum VK_FORMAT_B8G8R8_UNORM = VkFormat.VK_FORMAT_B8G8R8_UNORM; enum VK_FORMAT_B8G8R8_SNORM = VkFormat.VK_FORMAT_B8G8R8_SNORM; enum VK_FORMAT_B8G8R8_USCALED = VkFormat.VK_FORMAT_B8G8R8_USCALED; enum VK_FORMAT_B8G8R8_SSCALED = VkFormat.VK_FORMAT_B8G8R8_SSCALED; enum VK_FORMAT_B8G8R8_UINT = VkFormat.VK_FORMAT_B8G8R8_UINT; enum VK_FORMAT_B8G8R8_SINT = VkFormat.VK_FORMAT_B8G8R8_SINT; enum VK_FORMAT_B8G8R8_SRGB = VkFormat.VK_FORMAT_B8G8R8_SRGB; enum VK_FORMAT_R8G8B8A8_UNORM = VkFormat.VK_FORMAT_R8G8B8A8_UNORM; enum VK_FORMAT_R8G8B8A8_SNORM = VkFormat.VK_FORMAT_R8G8B8A8_SNORM; enum VK_FORMAT_R8G8B8A8_USCALED = VkFormat.VK_FORMAT_R8G8B8A8_USCALED; enum VK_FORMAT_R8G8B8A8_SSCALED = VkFormat.VK_FORMAT_R8G8B8A8_SSCALED; enum VK_FORMAT_R8G8B8A8_UINT = VkFormat.VK_FORMAT_R8G8B8A8_UINT; enum VK_FORMAT_R8G8B8A8_SINT = VkFormat.VK_FORMAT_R8G8B8A8_SINT; enum VK_FORMAT_R8G8B8A8_SRGB = VkFormat.VK_FORMAT_R8G8B8A8_SRGB; enum VK_FORMAT_B8G8R8A8_UNORM = VkFormat.VK_FORMAT_B8G8R8A8_UNORM; enum VK_FORMAT_B8G8R8A8_SNORM = VkFormat.VK_FORMAT_B8G8R8A8_SNORM; enum VK_FORMAT_B8G8R8A8_USCALED = VkFormat.VK_FORMAT_B8G8R8A8_USCALED; enum VK_FORMAT_B8G8R8A8_SSCALED = VkFormat.VK_FORMAT_B8G8R8A8_SSCALED; enum VK_FORMAT_B8G8R8A8_UINT = VkFormat.VK_FORMAT_B8G8R8A8_UINT; enum VK_FORMAT_B8G8R8A8_SINT = VkFormat.VK_FORMAT_B8G8R8A8_SINT; enum VK_FORMAT_B8G8R8A8_SRGB = VkFormat.VK_FORMAT_B8G8R8A8_SRGB; enum VK_FORMAT_A8B8G8R8_UNORM_PACK32 = VkFormat.VK_FORMAT_A8B8G8R8_UNORM_PACK32; enum VK_FORMAT_A8B8G8R8_SNORM_PACK32 = VkFormat.VK_FORMAT_A8B8G8R8_SNORM_PACK32; enum VK_FORMAT_A8B8G8R8_USCALED_PACK32 = VkFormat.VK_FORMAT_A8B8G8R8_USCALED_PACK32; enum VK_FORMAT_A8B8G8R8_SSCALED_PACK32 = VkFormat.VK_FORMAT_A8B8G8R8_SSCALED_PACK32; enum VK_FORMAT_A8B8G8R8_UINT_PACK32 = VkFormat.VK_FORMAT_A8B8G8R8_UINT_PACK32; enum VK_FORMAT_A8B8G8R8_SINT_PACK32 = VkFormat.VK_FORMAT_A8B8G8R8_SINT_PACK32; enum VK_FORMAT_A8B8G8R8_SRGB_PACK32 = VkFormat.VK_FORMAT_A8B8G8R8_SRGB_PACK32; enum VK_FORMAT_A2R10G10B10_UNORM_PACK32 = VkFormat.VK_FORMAT_A2R10G10B10_UNORM_PACK32; enum VK_FORMAT_A2R10G10B10_SNORM_PACK32 = VkFormat.VK_FORMAT_A2R10G10B10_SNORM_PACK32; enum VK_FORMAT_A2R10G10B10_USCALED_PACK32 = VkFormat.VK_FORMAT_A2R10G10B10_USCALED_PACK32; enum VK_FORMAT_A2R10G10B10_SSCALED_PACK32 = VkFormat.VK_FORMAT_A2R10G10B10_SSCALED_PACK32; enum VK_FORMAT_A2R10G10B10_UINT_PACK32 = VkFormat.VK_FORMAT_A2R10G10B10_UINT_PACK32; enum VK_FORMAT_A2R10G10B10_SINT_PACK32 = VkFormat.VK_FORMAT_A2R10G10B10_SINT_PACK32; enum VK_FORMAT_A2B10G10R10_UNORM_PACK32 = VkFormat.VK_FORMAT_A2B10G10R10_UNORM_PACK32; enum VK_FORMAT_A2B10G10R10_SNORM_PACK32 = VkFormat.VK_FORMAT_A2B10G10R10_SNORM_PACK32; enum VK_FORMAT_A2B10G10R10_USCALED_PACK32 = VkFormat.VK_FORMAT_A2B10G10R10_USCALED_PACK32; enum VK_FORMAT_A2B10G10R10_SSCALED_PACK32 = VkFormat.VK_FORMAT_A2B10G10R10_SSCALED_PACK32; enum VK_FORMAT_A2B10G10R10_UINT_PACK32 = VkFormat.VK_FORMAT_A2B10G10R10_UINT_PACK32; enum VK_FORMAT_A2B10G10R10_SINT_PACK32 = VkFormat.VK_FORMAT_A2B10G10R10_SINT_PACK32; enum VK_FORMAT_R16_UNORM = VkFormat.VK_FORMAT_R16_UNORM; enum VK_FORMAT_R16_SNORM = VkFormat.VK_FORMAT_R16_SNORM; enum VK_FORMAT_R16_USCALED = VkFormat.VK_FORMAT_R16_USCALED; enum VK_FORMAT_R16_SSCALED = VkFormat.VK_FORMAT_R16_SSCALED; enum VK_FORMAT_R16_UINT = VkFormat.VK_FORMAT_R16_UINT; enum VK_FORMAT_R16_SINT = VkFormat.VK_FORMAT_R16_SINT; enum VK_FORMAT_R16_SFLOAT = VkFormat.VK_FORMAT_R16_SFLOAT; enum VK_FORMAT_R16G16_UNORM = VkFormat.VK_FORMAT_R16G16_UNORM; enum VK_FORMAT_R16G16_SNORM = VkFormat.VK_FORMAT_R16G16_SNORM; enum VK_FORMAT_R16G16_USCALED = VkFormat.VK_FORMAT_R16G16_USCALED; enum VK_FORMAT_R16G16_SSCALED = VkFormat.VK_FORMAT_R16G16_SSCALED; enum VK_FORMAT_R16G16_UINT = VkFormat.VK_FORMAT_R16G16_UINT; enum VK_FORMAT_R16G16_SINT = VkFormat.VK_FORMAT_R16G16_SINT; enum VK_FORMAT_R16G16_SFLOAT = VkFormat.VK_FORMAT_R16G16_SFLOAT; enum VK_FORMAT_R16G16B16_UNORM = VkFormat.VK_FORMAT_R16G16B16_UNORM; enum VK_FORMAT_R16G16B16_SNORM = VkFormat.VK_FORMAT_R16G16B16_SNORM; enum VK_FORMAT_R16G16B16_USCALED = VkFormat.VK_FORMAT_R16G16B16_USCALED; enum VK_FORMAT_R16G16B16_SSCALED = VkFormat.VK_FORMAT_R16G16B16_SSCALED; enum VK_FORMAT_R16G16B16_UINT = VkFormat.VK_FORMAT_R16G16B16_UINT; enum VK_FORMAT_R16G16B16_SINT = VkFormat.VK_FORMAT_R16G16B16_SINT; enum VK_FORMAT_R16G16B16_SFLOAT = VkFormat.VK_FORMAT_R16G16B16_SFLOAT; enum VK_FORMAT_R16G16B16A16_UNORM = VkFormat.VK_FORMAT_R16G16B16A16_UNORM; enum VK_FORMAT_R16G16B16A16_SNORM = VkFormat.VK_FORMAT_R16G16B16A16_SNORM; enum VK_FORMAT_R16G16B16A16_USCALED = VkFormat.VK_FORMAT_R16G16B16A16_USCALED; enum VK_FORMAT_R16G16B16A16_SSCALED = VkFormat.VK_FORMAT_R16G16B16A16_SSCALED; enum VK_FORMAT_R16G16B16A16_UINT = VkFormat.VK_FORMAT_R16G16B16A16_UINT; enum VK_FORMAT_R16G16B16A16_SINT = VkFormat.VK_FORMAT_R16G16B16A16_SINT; enum VK_FORMAT_R16G16B16A16_SFLOAT = VkFormat.VK_FORMAT_R16G16B16A16_SFLOAT; enum VK_FORMAT_R32_UINT = VkFormat.VK_FORMAT_R32_UINT; enum VK_FORMAT_R32_SINT = VkFormat.VK_FORMAT_R32_SINT; enum VK_FORMAT_R32_SFLOAT = VkFormat.VK_FORMAT_R32_SFLOAT; enum VK_FORMAT_R32G32_UINT = VkFormat.VK_FORMAT_R32G32_UINT; enum VK_FORMAT_R32G32_SINT = VkFormat.VK_FORMAT_R32G32_SINT; enum VK_FORMAT_R32G32_SFLOAT = VkFormat.VK_FORMAT_R32G32_SFLOAT; enum VK_FORMAT_R32G32B32_UINT = VkFormat.VK_FORMAT_R32G32B32_UINT; enum VK_FORMAT_R32G32B32_SINT = VkFormat.VK_FORMAT_R32G32B32_SINT; enum VK_FORMAT_R32G32B32_SFLOAT = VkFormat.VK_FORMAT_R32G32B32_SFLOAT; enum VK_FORMAT_R32G32B32A32_UINT = VkFormat.VK_FORMAT_R32G32B32A32_UINT; enum VK_FORMAT_R32G32B32A32_SINT = VkFormat.VK_FORMAT_R32G32B32A32_SINT; enum VK_FORMAT_R32G32B32A32_SFLOAT = VkFormat.VK_FORMAT_R32G32B32A32_SFLOAT; enum VK_FORMAT_R64_UINT = VkFormat.VK_FORMAT_R64_UINT; enum VK_FORMAT_R64_SINT = VkFormat.VK_FORMAT_R64_SINT; enum VK_FORMAT_R64_SFLOAT = VkFormat.VK_FORMAT_R64_SFLOAT; enum VK_FORMAT_R64G64_UINT = VkFormat.VK_FORMAT_R64G64_UINT; enum VK_FORMAT_R64G64_SINT = VkFormat.VK_FORMAT_R64G64_SINT; enum VK_FORMAT_R64G64_SFLOAT = VkFormat.VK_FORMAT_R64G64_SFLOAT; enum VK_FORMAT_R64G64B64_UINT = VkFormat.VK_FORMAT_R64G64B64_UINT; enum VK_FORMAT_R64G64B64_SINT = VkFormat.VK_FORMAT_R64G64B64_SINT; enum VK_FORMAT_R64G64B64_SFLOAT = VkFormat.VK_FORMAT_R64G64B64_SFLOAT; enum VK_FORMAT_R64G64B64A64_UINT = VkFormat.VK_FORMAT_R64G64B64A64_UINT; enum VK_FORMAT_R64G64B64A64_SINT = VkFormat.VK_FORMAT_R64G64B64A64_SINT; enum VK_FORMAT_R64G64B64A64_SFLOAT = VkFormat.VK_FORMAT_R64G64B64A64_SFLOAT; enum VK_FORMAT_B10G11R11_UFLOAT_PACK32 = VkFormat.VK_FORMAT_B10G11R11_UFLOAT_PACK32; enum VK_FORMAT_E5B9G9R9_UFLOAT_PACK32 = VkFormat.VK_FORMAT_E5B9G9R9_UFLOAT_PACK32; enum VK_FORMAT_D16_UNORM = VkFormat.VK_FORMAT_D16_UNORM; enum VK_FORMAT_X8_D24_UNORM_PACK32 = VkFormat.VK_FORMAT_X8_D24_UNORM_PACK32; enum VK_FORMAT_D32_SFLOAT = VkFormat.VK_FORMAT_D32_SFLOAT; enum VK_FORMAT_S8_UINT = VkFormat.VK_FORMAT_S8_UINT; enum VK_FORMAT_D16_UNORM_S8_UINT = VkFormat.VK_FORMAT_D16_UNORM_S8_UINT; enum VK_FORMAT_D24_UNORM_S8_UINT = VkFormat.VK_FORMAT_D24_UNORM_S8_UINT; enum VK_FORMAT_D32_SFLOAT_S8_UINT = VkFormat.VK_FORMAT_D32_SFLOAT_S8_UINT; enum VK_FORMAT_BC1_RGB_UNORM_BLOCK = VkFormat.VK_FORMAT_BC1_RGB_UNORM_BLOCK; enum VK_FORMAT_BC1_RGB_SRGB_BLOCK = VkFormat.VK_FORMAT_BC1_RGB_SRGB_BLOCK; enum VK_FORMAT_BC1_RGBA_UNORM_BLOCK = VkFormat.VK_FORMAT_BC1_RGBA_UNORM_BLOCK; enum VK_FORMAT_BC1_RGBA_SRGB_BLOCK = VkFormat.VK_FORMAT_BC1_RGBA_SRGB_BLOCK; enum VK_FORMAT_BC2_UNORM_BLOCK = VkFormat.VK_FORMAT_BC2_UNORM_BLOCK; enum VK_FORMAT_BC2_SRGB_BLOCK = VkFormat.VK_FORMAT_BC2_SRGB_BLOCK; enum VK_FORMAT_BC3_UNORM_BLOCK = VkFormat.VK_FORMAT_BC3_UNORM_BLOCK; enum VK_FORMAT_BC3_SRGB_BLOCK = VkFormat.VK_FORMAT_BC3_SRGB_BLOCK; enum VK_FORMAT_BC4_UNORM_BLOCK = VkFormat.VK_FORMAT_BC4_UNORM_BLOCK; enum VK_FORMAT_BC4_SNORM_BLOCK = VkFormat.VK_FORMAT_BC4_SNORM_BLOCK; enum VK_FORMAT_BC5_UNORM_BLOCK = VkFormat.VK_FORMAT_BC5_UNORM_BLOCK; enum VK_FORMAT_BC5_SNORM_BLOCK = VkFormat.VK_FORMAT_BC5_SNORM_BLOCK; enum VK_FORMAT_BC6H_UFLOAT_BLOCK = VkFormat.VK_FORMAT_BC6H_UFLOAT_BLOCK; enum VK_FORMAT_BC6H_SFLOAT_BLOCK = VkFormat.VK_FORMAT_BC6H_SFLOAT_BLOCK; enum VK_FORMAT_BC7_UNORM_BLOCK = VkFormat.VK_FORMAT_BC7_UNORM_BLOCK; enum VK_FORMAT_BC7_SRGB_BLOCK = VkFormat.VK_FORMAT_BC7_SRGB_BLOCK; enum VK_FORMAT_ETC2_R8G8B8_UNORM_BLOCK = VkFormat.VK_FORMAT_ETC2_R8G8B8_UNORM_BLOCK; enum VK_FORMAT_ETC2_R8G8B8_SRGB_BLOCK = VkFormat.VK_FORMAT_ETC2_R8G8B8_SRGB_BLOCK; enum VK_FORMAT_ETC2_R8G8B8A1_UNORM_BLOCK = VkFormat.VK_FORMAT_ETC2_R8G8B8A1_UNORM_BLOCK; enum VK_FORMAT_ETC2_R8G8B8A1_SRGB_BLOCK = VkFormat.VK_FORMAT_ETC2_R8G8B8A1_SRGB_BLOCK; enum VK_FORMAT_ETC2_R8G8B8A8_UNORM_BLOCK = VkFormat.VK_FORMAT_ETC2_R8G8B8A8_UNORM_BLOCK; enum VK_FORMAT_ETC2_R8G8B8A8_SRGB_BLOCK = VkFormat.VK_FORMAT_ETC2_R8G8B8A8_SRGB_BLOCK; enum VK_FORMAT_EAC_R11_UNORM_BLOCK = VkFormat.VK_FORMAT_EAC_R11_UNORM_BLOCK; enum VK_FORMAT_EAC_R11_SNORM_BLOCK = VkFormat.VK_FORMAT_EAC_R11_SNORM_BLOCK; enum VK_FORMAT_EAC_R11G11_UNORM_BLOCK = VkFormat.VK_FORMAT_EAC_R11G11_UNORM_BLOCK; enum VK_FORMAT_EAC_R11G11_SNORM_BLOCK = VkFormat.VK_FORMAT_EAC_R11G11_SNORM_BLOCK; enum VK_FORMAT_ASTC_4x4_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_4x4_UNORM_BLOCK; enum VK_FORMAT_ASTC_4x4_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_4x4_SRGB_BLOCK; enum VK_FORMAT_ASTC_5x4_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_5x4_UNORM_BLOCK; enum VK_FORMAT_ASTC_5x4_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_5x4_SRGB_BLOCK; enum VK_FORMAT_ASTC_5x5_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_5x5_UNORM_BLOCK; enum VK_FORMAT_ASTC_5x5_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_5x5_SRGB_BLOCK; enum VK_FORMAT_ASTC_6x5_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_6x5_UNORM_BLOCK; enum VK_FORMAT_ASTC_6x5_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_6x5_SRGB_BLOCK; enum VK_FORMAT_ASTC_6x6_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_6x6_UNORM_BLOCK; enum VK_FORMAT_ASTC_6x6_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_6x6_SRGB_BLOCK; enum VK_FORMAT_ASTC_8x5_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_8x5_UNORM_BLOCK; enum VK_FORMAT_ASTC_8x5_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_8x5_SRGB_BLOCK; enum VK_FORMAT_ASTC_8x6_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_8x6_UNORM_BLOCK; enum VK_FORMAT_ASTC_8x6_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_8x6_SRGB_BLOCK; enum VK_FORMAT_ASTC_8x8_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_8x8_UNORM_BLOCK; enum VK_FORMAT_ASTC_8x8_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_8x8_SRGB_BLOCK; enum VK_FORMAT_ASTC_10x5_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_10x5_UNORM_BLOCK; enum VK_FORMAT_ASTC_10x5_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_10x5_SRGB_BLOCK; enum VK_FORMAT_ASTC_10x6_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_10x6_UNORM_BLOCK; enum VK_FORMAT_ASTC_10x6_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_10x6_SRGB_BLOCK; enum VK_FORMAT_ASTC_10x8_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_10x8_UNORM_BLOCK; enum VK_FORMAT_ASTC_10x8_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_10x8_SRGB_BLOCK; enum VK_FORMAT_ASTC_10x10_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_10x10_UNORM_BLOCK; enum VK_FORMAT_ASTC_10x10_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_10x10_SRGB_BLOCK; enum VK_FORMAT_ASTC_12x10_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_12x10_UNORM_BLOCK; enum VK_FORMAT_ASTC_12x10_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_12x10_SRGB_BLOCK; enum VK_FORMAT_ASTC_12x12_UNORM_BLOCK = VkFormat.VK_FORMAT_ASTC_12x12_UNORM_BLOCK; enum VK_FORMAT_ASTC_12x12_SRGB_BLOCK = VkFormat.VK_FORMAT_ASTC_12x12_SRGB_BLOCK; enum VK_FORMAT_BEGIN_RANGE = VkFormat.VK_FORMAT_BEGIN_RANGE; enum VK_FORMAT_END_RANGE = VkFormat.VK_FORMAT_END_RANGE; enum VK_FORMAT_RANGE_SIZE = VkFormat.VK_FORMAT_RANGE_SIZE; enum VK_FORMAT_MAX_ENUM = VkFormat.VK_FORMAT_MAX_ENUM; } enum VkImageType { VK_IMAGE_TYPE_1D = 0, VK_IMAGE_TYPE_2D = 1, VK_IMAGE_TYPE_3D = 2, VK_IMAGE_TYPE_BEGIN_RANGE = VK_IMAGE_TYPE_1D, VK_IMAGE_TYPE_END_RANGE = VK_IMAGE_TYPE_3D, VK_IMAGE_TYPE_RANGE_SIZE = (VK_IMAGE_TYPE_3D - VK_IMAGE_TYPE_1D + 1), VK_IMAGE_TYPE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_IMAGE_TYPE_1D = VkImageType.VK_IMAGE_TYPE_1D; enum VK_IMAGE_TYPE_2D = VkImageType.VK_IMAGE_TYPE_2D; enum VK_IMAGE_TYPE_3D = VkImageType.VK_IMAGE_TYPE_3D; enum VK_IMAGE_TYPE_BEGIN_RANGE = VkImageType.VK_IMAGE_TYPE_BEGIN_RANGE; enum VK_IMAGE_TYPE_END_RANGE = VkImageType.VK_IMAGE_TYPE_END_RANGE; enum VK_IMAGE_TYPE_RANGE_SIZE = VkImageType.VK_IMAGE_TYPE_RANGE_SIZE; enum VK_IMAGE_TYPE_MAX_ENUM = VkImageType.VK_IMAGE_TYPE_MAX_ENUM; } enum VkImageTiling { VK_IMAGE_TILING_OPTIMAL = 0, VK_IMAGE_TILING_LINEAR = 1, VK_IMAGE_TILING_BEGIN_RANGE = VK_IMAGE_TILING_OPTIMAL, VK_IMAGE_TILING_END_RANGE = VK_IMAGE_TILING_LINEAR, VK_IMAGE_TILING_RANGE_SIZE = (VK_IMAGE_TILING_LINEAR - VK_IMAGE_TILING_OPTIMAL + 1), VK_IMAGE_TILING_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_IMAGE_TILING_OPTIMAL = VkImageTiling.VK_IMAGE_TILING_OPTIMAL; enum VK_IMAGE_TILING_LINEAR = VkImageTiling.VK_IMAGE_TILING_LINEAR; enum VK_IMAGE_TILING_BEGIN_RANGE = VkImageTiling.VK_IMAGE_TILING_BEGIN_RANGE; enum VK_IMAGE_TILING_END_RANGE = VkImageTiling.VK_IMAGE_TILING_END_RANGE; enum VK_IMAGE_TILING_RANGE_SIZE = VkImageTiling.VK_IMAGE_TILING_RANGE_SIZE; enum VK_IMAGE_TILING_MAX_ENUM = VkImageTiling.VK_IMAGE_TILING_MAX_ENUM; } enum VkPhysicalDeviceType { VK_PHYSICAL_DEVICE_TYPE_OTHER = 0, VK_PHYSICAL_DEVICE_TYPE_INTEGRATED_GPU = 1, VK_PHYSICAL_DEVICE_TYPE_DISCRETE_GPU = 2, VK_PHYSICAL_DEVICE_TYPE_VIRTUAL_GPU = 3, VK_PHYSICAL_DEVICE_TYPE_CPU = 4, VK_PHYSICAL_DEVICE_TYPE_BEGIN_RANGE = VK_PHYSICAL_DEVICE_TYPE_OTHER, VK_PHYSICAL_DEVICE_TYPE_END_RANGE = VK_PHYSICAL_DEVICE_TYPE_CPU, VK_PHYSICAL_DEVICE_TYPE_RANGE_SIZE = (VK_PHYSICAL_DEVICE_TYPE_CPU - VK_PHYSICAL_DEVICE_TYPE_OTHER + 1), VK_PHYSICAL_DEVICE_TYPE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_PHYSICAL_DEVICE_TYPE_OTHER = VkPhysicalDeviceType.VK_PHYSICAL_DEVICE_TYPE_OTHER; enum VK_PHYSICAL_DEVICE_TYPE_INTEGRATED_GPU = VkPhysicalDeviceType.VK_PHYSICAL_DEVICE_TYPE_INTEGRATED_GPU; enum VK_PHYSICAL_DEVICE_TYPE_DISCRETE_GPU = VkPhysicalDeviceType.VK_PHYSICAL_DEVICE_TYPE_DISCRETE_GPU; enum VK_PHYSICAL_DEVICE_TYPE_VIRTUAL_GPU = VkPhysicalDeviceType.VK_PHYSICAL_DEVICE_TYPE_VIRTUAL_GPU; enum VK_PHYSICAL_DEVICE_TYPE_CPU = VkPhysicalDeviceType.VK_PHYSICAL_DEVICE_TYPE_CPU; enum VK_PHYSICAL_DEVICE_TYPE_BEGIN_RANGE = VkPhysicalDeviceType.VK_PHYSICAL_DEVICE_TYPE_BEGIN_RANGE; enum VK_PHYSICAL_DEVICE_TYPE_END_RANGE = VkPhysicalDeviceType.VK_PHYSICAL_DEVICE_TYPE_END_RANGE; enum VK_PHYSICAL_DEVICE_TYPE_RANGE_SIZE = VkPhysicalDeviceType.VK_PHYSICAL_DEVICE_TYPE_RANGE_SIZE; enum VK_PHYSICAL_DEVICE_TYPE_MAX_ENUM = VkPhysicalDeviceType.VK_PHYSICAL_DEVICE_TYPE_MAX_ENUM; } enum VkQueryType { VK_QUERY_TYPE_OCCLUSION = 0, VK_QUERY_TYPE_PIPELINE_STATISTICS = 1, VK_QUERY_TYPE_TIMESTAMP = 2, VK_QUERY_TYPE_BEGIN_RANGE = VK_QUERY_TYPE_OCCLUSION, VK_QUERY_TYPE_END_RANGE = VK_QUERY_TYPE_TIMESTAMP, VK_QUERY_TYPE_RANGE_SIZE = (VK_QUERY_TYPE_TIMESTAMP - VK_QUERY_TYPE_OCCLUSION + 1), VK_QUERY_TYPE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_QUERY_TYPE_OCCLUSION = VkQueryType.VK_QUERY_TYPE_OCCLUSION; enum VK_QUERY_TYPE_PIPELINE_STATISTICS = VkQueryType.VK_QUERY_TYPE_PIPELINE_STATISTICS; enum VK_QUERY_TYPE_TIMESTAMP = VkQueryType.VK_QUERY_TYPE_TIMESTAMP; enum VK_QUERY_TYPE_BEGIN_RANGE = VkQueryType.VK_QUERY_TYPE_BEGIN_RANGE; enum VK_QUERY_TYPE_END_RANGE = VkQueryType.VK_QUERY_TYPE_END_RANGE; enum VK_QUERY_TYPE_RANGE_SIZE = VkQueryType.VK_QUERY_TYPE_RANGE_SIZE; enum VK_QUERY_TYPE_MAX_ENUM = VkQueryType.VK_QUERY_TYPE_MAX_ENUM; } enum VkSharingMode { VK_SHARING_MODE_EXCLUSIVE = 0, VK_SHARING_MODE_CONCURRENT = 1, VK_SHARING_MODE_BEGIN_RANGE = VK_SHARING_MODE_EXCLUSIVE, VK_SHARING_MODE_END_RANGE = VK_SHARING_MODE_CONCURRENT, VK_SHARING_MODE_RANGE_SIZE = (VK_SHARING_MODE_CONCURRENT - VK_SHARING_MODE_EXCLUSIVE + 1), VK_SHARING_MODE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SHARING_MODE_EXCLUSIVE = VkSharingMode.VK_SHARING_MODE_EXCLUSIVE; enum VK_SHARING_MODE_CONCURRENT = VkSharingMode.VK_SHARING_MODE_CONCURRENT; enum VK_SHARING_MODE_BEGIN_RANGE = VkSharingMode.VK_SHARING_MODE_BEGIN_RANGE; enum VK_SHARING_MODE_END_RANGE = VkSharingMode.VK_SHARING_MODE_END_RANGE; enum VK_SHARING_MODE_RANGE_SIZE = VkSharingMode.VK_SHARING_MODE_RANGE_SIZE; enum VK_SHARING_MODE_MAX_ENUM = VkSharingMode.VK_SHARING_MODE_MAX_ENUM; } enum VkImageLayout { VK_IMAGE_LAYOUT_UNDEFINED = 0, VK_IMAGE_LAYOUT_GENERAL = 1, VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL = 2, VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL = 3, VK_IMAGE_LAYOUT_DEPTH_STENCIL_READ_ONLY_OPTIMAL = 4, VK_IMAGE_LAYOUT_SHADER_READ_ONLY_OPTIMAL = 5, VK_IMAGE_LAYOUT_TRANSFER_SRC_OPTIMAL = 6, VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL = 7, VK_IMAGE_LAYOUT_PREINITIALIZED = 8, VK_IMAGE_LAYOUT_PRESENT_SRC_KHR = 1000001002, VK_IMAGE_LAYOUT_BEGIN_RANGE = VK_IMAGE_LAYOUT_UNDEFINED, VK_IMAGE_LAYOUT_END_RANGE = VK_IMAGE_LAYOUT_PREINITIALIZED, VK_IMAGE_LAYOUT_RANGE_SIZE = (VK_IMAGE_LAYOUT_PREINITIALIZED - VK_IMAGE_LAYOUT_UNDEFINED + 1), VK_IMAGE_LAYOUT_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_IMAGE_LAYOUT_UNDEFINED = VkImageLayout.VK_IMAGE_LAYOUT_UNDEFINED; enum VK_IMAGE_LAYOUT_GENERAL = VkImageLayout.VK_IMAGE_LAYOUT_GENERAL; enum VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL = VkImageLayout.VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL; enum VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL = VkImageLayout.VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL; enum VK_IMAGE_LAYOUT_DEPTH_STENCIL_READ_ONLY_OPTIMAL = VkImageLayout.VK_IMAGE_LAYOUT_DEPTH_STENCIL_READ_ONLY_OPTIMAL; enum VK_IMAGE_LAYOUT_SHADER_READ_ONLY_OPTIMAL = VkImageLayout.VK_IMAGE_LAYOUT_SHADER_READ_ONLY_OPTIMAL; enum VK_IMAGE_LAYOUT_TRANSFER_SRC_OPTIMAL = VkImageLayout.VK_IMAGE_LAYOUT_TRANSFER_SRC_OPTIMAL; enum VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL = VkImageLayout.VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL; enum VK_IMAGE_LAYOUT_PREINITIALIZED = VkImageLayout.VK_IMAGE_LAYOUT_PREINITIALIZED; enum VK_IMAGE_LAYOUT_PRESENT_SRC_KHR = VkImageLayout.VK_IMAGE_LAYOUT_PRESENT_SRC_KHR; enum VK_IMAGE_LAYOUT_BEGIN_RANGE = VkImageLayout.VK_IMAGE_LAYOUT_BEGIN_RANGE; enum VK_IMAGE_LAYOUT_END_RANGE = VkImageLayout.VK_IMAGE_LAYOUT_END_RANGE; enum VK_IMAGE_LAYOUT_RANGE_SIZE = VkImageLayout.VK_IMAGE_LAYOUT_RANGE_SIZE; enum VK_IMAGE_LAYOUT_MAX_ENUM = VkImageLayout.VK_IMAGE_LAYOUT_MAX_ENUM; } enum VkImageViewType { VK_IMAGE_VIEW_TYPE_1D = 0, VK_IMAGE_VIEW_TYPE_2D = 1, VK_IMAGE_VIEW_TYPE_3D = 2, VK_IMAGE_VIEW_TYPE_CUBE = 3, VK_IMAGE_VIEW_TYPE_1D_ARRAY = 4, VK_IMAGE_VIEW_TYPE_2D_ARRAY = 5, VK_IMAGE_VIEW_TYPE_CUBE_ARRAY = 6, VK_IMAGE_VIEW_TYPE_BEGIN_RANGE = VK_IMAGE_VIEW_TYPE_1D, VK_IMAGE_VIEW_TYPE_END_RANGE = VK_IMAGE_VIEW_TYPE_CUBE_ARRAY, VK_IMAGE_VIEW_TYPE_RANGE_SIZE = (VK_IMAGE_VIEW_TYPE_CUBE_ARRAY - VK_IMAGE_VIEW_TYPE_1D + 1), VK_IMAGE_VIEW_TYPE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_IMAGE_VIEW_TYPE_1D = VkImageViewType.VK_IMAGE_VIEW_TYPE_1D; enum VK_IMAGE_VIEW_TYPE_2D = VkImageViewType.VK_IMAGE_VIEW_TYPE_2D; enum VK_IMAGE_VIEW_TYPE_3D = VkImageViewType.VK_IMAGE_VIEW_TYPE_3D; enum VK_IMAGE_VIEW_TYPE_CUBE = VkImageViewType.VK_IMAGE_VIEW_TYPE_CUBE; enum VK_IMAGE_VIEW_TYPE_1D_ARRAY = VkImageViewType.VK_IMAGE_VIEW_TYPE_1D_ARRAY; enum VK_IMAGE_VIEW_TYPE_2D_ARRAY = VkImageViewType.VK_IMAGE_VIEW_TYPE_2D_ARRAY; enum VK_IMAGE_VIEW_TYPE_CUBE_ARRAY = VkImageViewType.VK_IMAGE_VIEW_TYPE_CUBE_ARRAY; enum VK_IMAGE_VIEW_TYPE_BEGIN_RANGE = VkImageViewType.VK_IMAGE_VIEW_TYPE_BEGIN_RANGE; enum VK_IMAGE_VIEW_TYPE_END_RANGE = VkImageViewType.VK_IMAGE_VIEW_TYPE_END_RANGE; enum VK_IMAGE_VIEW_TYPE_RANGE_SIZE = VkImageViewType.VK_IMAGE_VIEW_TYPE_RANGE_SIZE; enum VK_IMAGE_VIEW_TYPE_MAX_ENUM = VkImageViewType.VK_IMAGE_VIEW_TYPE_MAX_ENUM; } enum VkComponentSwizzle { VK_COMPONENT_SWIZZLE_IDENTITY = 0, VK_COMPONENT_SWIZZLE_ZERO = 1, VK_COMPONENT_SWIZZLE_ONE = 2, VK_COMPONENT_SWIZZLE_R = 3, VK_COMPONENT_SWIZZLE_G = 4, VK_COMPONENT_SWIZZLE_B = 5, VK_COMPONENT_SWIZZLE_A = 6, VK_COMPONENT_SWIZZLE_BEGIN_RANGE = VK_COMPONENT_SWIZZLE_IDENTITY, VK_COMPONENT_SWIZZLE_END_RANGE = VK_COMPONENT_SWIZZLE_A, VK_COMPONENT_SWIZZLE_RANGE_SIZE = (VK_COMPONENT_SWIZZLE_A - VK_COMPONENT_SWIZZLE_IDENTITY + 1), VK_COMPONENT_SWIZZLE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_COMPONENT_SWIZZLE_IDENTITY = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_IDENTITY; enum VK_COMPONENT_SWIZZLE_ZERO = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_ZERO; enum VK_COMPONENT_SWIZZLE_ONE = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_ONE; enum VK_COMPONENT_SWIZZLE_R = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_R; enum VK_COMPONENT_SWIZZLE_G = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_G; enum VK_COMPONENT_SWIZZLE_B = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_B; enum VK_COMPONENT_SWIZZLE_A = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_A; enum VK_COMPONENT_SWIZZLE_BEGIN_RANGE = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_BEGIN_RANGE; enum VK_COMPONENT_SWIZZLE_END_RANGE = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_END_RANGE; enum VK_COMPONENT_SWIZZLE_RANGE_SIZE = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_RANGE_SIZE; enum VK_COMPONENT_SWIZZLE_MAX_ENUM = VkComponentSwizzle.VK_COMPONENT_SWIZZLE_MAX_ENUM; } enum VkVertexInputRate { VK_VERTEX_INPUT_RATE_VERTEX = 0, VK_VERTEX_INPUT_RATE_INSTANCE = 1, VK_VERTEX_INPUT_RATE_BEGIN_RANGE = VK_VERTEX_INPUT_RATE_VERTEX, VK_VERTEX_INPUT_RATE_END_RANGE = VK_VERTEX_INPUT_RATE_INSTANCE, VK_VERTEX_INPUT_RATE_RANGE_SIZE = (VK_VERTEX_INPUT_RATE_INSTANCE - VK_VERTEX_INPUT_RATE_VERTEX + 1), VK_VERTEX_INPUT_RATE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_VERTEX_INPUT_RATE_VERTEX = VkVertexInputRate.VK_VERTEX_INPUT_RATE_VERTEX; enum VK_VERTEX_INPUT_RATE_INSTANCE = VkVertexInputRate.VK_VERTEX_INPUT_RATE_INSTANCE; enum VK_VERTEX_INPUT_RATE_BEGIN_RANGE = VkVertexInputRate.VK_VERTEX_INPUT_RATE_BEGIN_RANGE; enum VK_VERTEX_INPUT_RATE_END_RANGE = VkVertexInputRate.VK_VERTEX_INPUT_RATE_END_RANGE; enum VK_VERTEX_INPUT_RATE_RANGE_SIZE = VkVertexInputRate.VK_VERTEX_INPUT_RATE_RANGE_SIZE; enum VK_VERTEX_INPUT_RATE_MAX_ENUM = VkVertexInputRate.VK_VERTEX_INPUT_RATE_MAX_ENUM; } enum VkPrimitiveTopology { VK_PRIMITIVE_TOPOLOGY_POINT_LIST = 0, VK_PRIMITIVE_TOPOLOGY_LINE_LIST = 1, VK_PRIMITIVE_TOPOLOGY_LINE_STRIP = 2, VK_PRIMITIVE_TOPOLOGY_TRIANGLE_LIST = 3, VK_PRIMITIVE_TOPOLOGY_TRIANGLE_STRIP = 4, VK_PRIMITIVE_TOPOLOGY_TRIANGLE_FAN = 5, VK_PRIMITIVE_TOPOLOGY_LINE_LIST_WITH_ADJACENCY = 6, VK_PRIMITIVE_TOPOLOGY_LINE_STRIP_WITH_ADJACENCY = 7, VK_PRIMITIVE_TOPOLOGY_TRIANGLE_LIST_WITH_ADJACENCY = 8, VK_PRIMITIVE_TOPOLOGY_TRIANGLE_STRIP_WITH_ADJACENCY = 9, VK_PRIMITIVE_TOPOLOGY_PATCH_LIST = 10, VK_PRIMITIVE_TOPOLOGY_BEGIN_RANGE = VK_PRIMITIVE_TOPOLOGY_POINT_LIST, VK_PRIMITIVE_TOPOLOGY_END_RANGE = VK_PRIMITIVE_TOPOLOGY_PATCH_LIST, VK_PRIMITIVE_TOPOLOGY_RANGE_SIZE = (VK_PRIMITIVE_TOPOLOGY_PATCH_LIST - VK_PRIMITIVE_TOPOLOGY_POINT_LIST + 1), VK_PRIMITIVE_TOPOLOGY_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_PRIMITIVE_TOPOLOGY_POINT_LIST = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_POINT_LIST; enum VK_PRIMITIVE_TOPOLOGY_LINE_LIST = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_LINE_LIST; enum VK_PRIMITIVE_TOPOLOGY_LINE_STRIP = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_LINE_STRIP; enum VK_PRIMITIVE_TOPOLOGY_TRIANGLE_LIST = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_TRIANGLE_LIST; enum VK_PRIMITIVE_TOPOLOGY_TRIANGLE_STRIP = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_TRIANGLE_STRIP; enum VK_PRIMITIVE_TOPOLOGY_TRIANGLE_FAN = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_TRIANGLE_FAN; enum VK_PRIMITIVE_TOPOLOGY_LINE_LIST_WITH_ADJACENCY = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_LINE_LIST_WITH_ADJACENCY; enum VK_PRIMITIVE_TOPOLOGY_LINE_STRIP_WITH_ADJACENCY = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_LINE_STRIP_WITH_ADJACENCY; enum VK_PRIMITIVE_TOPOLOGY_TRIANGLE_LIST_WITH_ADJACENCY = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_TRIANGLE_LIST_WITH_ADJACENCY; enum VK_PRIMITIVE_TOPOLOGY_TRIANGLE_STRIP_WITH_ADJACENCY = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_TRIANGLE_STRIP_WITH_ADJACENCY; enum VK_PRIMITIVE_TOPOLOGY_PATCH_LIST = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_PATCH_LIST; enum VK_PRIMITIVE_TOPOLOGY_BEGIN_RANGE = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_BEGIN_RANGE; enum VK_PRIMITIVE_TOPOLOGY_END_RANGE = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_END_RANGE; enum VK_PRIMITIVE_TOPOLOGY_RANGE_SIZE = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_RANGE_SIZE; enum VK_PRIMITIVE_TOPOLOGY_MAX_ENUM = VkPrimitiveTopology.VK_PRIMITIVE_TOPOLOGY_MAX_ENUM; } enum VkPolygonMode { VK_POLYGON_MODE_FILL = 0, VK_POLYGON_MODE_LINE = 1, VK_POLYGON_MODE_POINT = 2, VK_POLYGON_MODE_BEGIN_RANGE = VK_POLYGON_MODE_FILL, VK_POLYGON_MODE_END_RANGE = VK_POLYGON_MODE_POINT, VK_POLYGON_MODE_RANGE_SIZE = (VK_POLYGON_MODE_POINT - VK_POLYGON_MODE_FILL + 1), VK_POLYGON_MODE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_POLYGON_MODE_FILL = VkPolygonMode.VK_POLYGON_MODE_FILL; enum VK_POLYGON_MODE_LINE = VkPolygonMode.VK_POLYGON_MODE_LINE; enum VK_POLYGON_MODE_POINT = VkPolygonMode.VK_POLYGON_MODE_POINT; enum VK_POLYGON_MODE_BEGIN_RANGE = VkPolygonMode.VK_POLYGON_MODE_BEGIN_RANGE; enum VK_POLYGON_MODE_END_RANGE = VkPolygonMode.VK_POLYGON_MODE_END_RANGE; enum VK_POLYGON_MODE_RANGE_SIZE = VkPolygonMode.VK_POLYGON_MODE_RANGE_SIZE; enum VK_POLYGON_MODE_MAX_ENUM = VkPolygonMode.VK_POLYGON_MODE_MAX_ENUM; } enum VkFrontFace { VK_FRONT_FACE_COUNTER_CLOCKWISE = 0, VK_FRONT_FACE_CLOCKWISE = 1, VK_FRONT_FACE_BEGIN_RANGE = VK_FRONT_FACE_COUNTER_CLOCKWISE, VK_FRONT_FACE_END_RANGE = VK_FRONT_FACE_CLOCKWISE, VK_FRONT_FACE_RANGE_SIZE = (VK_FRONT_FACE_CLOCKWISE - VK_FRONT_FACE_COUNTER_CLOCKWISE + 1), VK_FRONT_FACE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_FRONT_FACE_COUNTER_CLOCKWISE = VkFrontFace.VK_FRONT_FACE_COUNTER_CLOCKWISE; enum VK_FRONT_FACE_CLOCKWISE = VkFrontFace.VK_FRONT_FACE_CLOCKWISE; enum VK_FRONT_FACE_BEGIN_RANGE = VkFrontFace.VK_FRONT_FACE_BEGIN_RANGE; enum VK_FRONT_FACE_END_RANGE = VkFrontFace.VK_FRONT_FACE_END_RANGE; enum VK_FRONT_FACE_RANGE_SIZE = VkFrontFace.VK_FRONT_FACE_RANGE_SIZE; enum VK_FRONT_FACE_MAX_ENUM = VkFrontFace.VK_FRONT_FACE_MAX_ENUM; } enum VkCompareOp { VK_COMPARE_OP_NEVER = 0, VK_COMPARE_OP_LESS = 1, VK_COMPARE_OP_EQUAL = 2, VK_COMPARE_OP_LESS_OR_EQUAL = 3, VK_COMPARE_OP_GREATER = 4, VK_COMPARE_OP_NOT_EQUAL = 5, VK_COMPARE_OP_GREATER_OR_EQUAL = 6, VK_COMPARE_OP_ALWAYS = 7, VK_COMPARE_OP_BEGIN_RANGE = VK_COMPARE_OP_NEVER, VK_COMPARE_OP_END_RANGE = VK_COMPARE_OP_ALWAYS, VK_COMPARE_OP_RANGE_SIZE = (VK_COMPARE_OP_ALWAYS - VK_COMPARE_OP_NEVER + 1), VK_COMPARE_OP_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_COMPARE_OP_NEVER = VkCompareOp.VK_COMPARE_OP_NEVER; enum VK_COMPARE_OP_LESS = VkCompareOp.VK_COMPARE_OP_LESS; enum VK_COMPARE_OP_EQUAL = VkCompareOp.VK_COMPARE_OP_EQUAL; enum VK_COMPARE_OP_LESS_OR_EQUAL = VkCompareOp.VK_COMPARE_OP_LESS_OR_EQUAL; enum VK_COMPARE_OP_GREATER = VkCompareOp.VK_COMPARE_OP_GREATER; enum VK_COMPARE_OP_NOT_EQUAL = VkCompareOp.VK_COMPARE_OP_NOT_EQUAL; enum VK_COMPARE_OP_GREATER_OR_EQUAL = VkCompareOp.VK_COMPARE_OP_GREATER_OR_EQUAL; enum VK_COMPARE_OP_ALWAYS = VkCompareOp.VK_COMPARE_OP_ALWAYS; enum VK_COMPARE_OP_BEGIN_RANGE = VkCompareOp.VK_COMPARE_OP_BEGIN_RANGE; enum VK_COMPARE_OP_END_RANGE = VkCompareOp.VK_COMPARE_OP_END_RANGE; enum VK_COMPARE_OP_RANGE_SIZE = VkCompareOp.VK_COMPARE_OP_RANGE_SIZE; enum VK_COMPARE_OP_MAX_ENUM = VkCompareOp.VK_COMPARE_OP_MAX_ENUM; } enum VkStencilOp { VK_STENCIL_OP_KEEP = 0, VK_STENCIL_OP_ZERO = 1, VK_STENCIL_OP_REPLACE = 2, VK_STENCIL_OP_INCREMENT_AND_CLAMP = 3, VK_STENCIL_OP_DECREMENT_AND_CLAMP = 4, VK_STENCIL_OP_INVERT = 5, VK_STENCIL_OP_INCREMENT_AND_WRAP = 6, VK_STENCIL_OP_DECREMENT_AND_WRAP = 7, VK_STENCIL_OP_BEGIN_RANGE = VK_STENCIL_OP_KEEP, VK_STENCIL_OP_END_RANGE = VK_STENCIL_OP_DECREMENT_AND_WRAP, VK_STENCIL_OP_RANGE_SIZE = (VK_STENCIL_OP_DECREMENT_AND_WRAP - VK_STENCIL_OP_KEEP + 1), VK_STENCIL_OP_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_STENCIL_OP_KEEP = VkStencilOp.VK_STENCIL_OP_KEEP; enum VK_STENCIL_OP_ZERO = VkStencilOp.VK_STENCIL_OP_ZERO; enum VK_STENCIL_OP_REPLACE = VkStencilOp.VK_STENCIL_OP_REPLACE; enum VK_STENCIL_OP_INCREMENT_AND_CLAMP = VkStencilOp.VK_STENCIL_OP_INCREMENT_AND_CLAMP; enum VK_STENCIL_OP_DECREMENT_AND_CLAMP = VkStencilOp.VK_STENCIL_OP_DECREMENT_AND_CLAMP; enum VK_STENCIL_OP_INVERT = VkStencilOp.VK_STENCIL_OP_INVERT; enum VK_STENCIL_OP_INCREMENT_AND_WRAP = VkStencilOp.VK_STENCIL_OP_INCREMENT_AND_WRAP; enum VK_STENCIL_OP_DECREMENT_AND_WRAP = VkStencilOp.VK_STENCIL_OP_DECREMENT_AND_WRAP; enum VK_STENCIL_OP_BEGIN_RANGE = VkStencilOp.VK_STENCIL_OP_BEGIN_RANGE; enum VK_STENCIL_OP_END_RANGE = VkStencilOp.VK_STENCIL_OP_END_RANGE; enum VK_STENCIL_OP_RANGE_SIZE = VkStencilOp.VK_STENCIL_OP_RANGE_SIZE; enum VK_STENCIL_OP_MAX_ENUM = VkStencilOp.VK_STENCIL_OP_MAX_ENUM; } enum VkLogicOp { VK_LOGIC_OP_CLEAR = 0, VK_LOGIC_OP_AND = 1, VK_LOGIC_OP_AND_REVERSE = 2, VK_LOGIC_OP_COPY = 3, VK_LOGIC_OP_AND_INVERTED = 4, VK_LOGIC_OP_NO_OP = 5, VK_LOGIC_OP_XOR = 6, VK_LOGIC_OP_OR = 7, VK_LOGIC_OP_NOR = 8, VK_LOGIC_OP_EQUIVALENT = 9, VK_LOGIC_OP_INVERT = 10, VK_LOGIC_OP_OR_REVERSE = 11, VK_LOGIC_OP_COPY_INVERTED = 12, VK_LOGIC_OP_OR_INVERTED = 13, VK_LOGIC_OP_NAND = 14, VK_LOGIC_OP_SET = 15, VK_LOGIC_OP_BEGIN_RANGE = VK_LOGIC_OP_CLEAR, VK_LOGIC_OP_END_RANGE = VK_LOGIC_OP_SET, VK_LOGIC_OP_RANGE_SIZE = (VK_LOGIC_OP_SET - VK_LOGIC_OP_CLEAR + 1), VK_LOGIC_OP_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_LOGIC_OP_CLEAR = VkLogicOp.VK_LOGIC_OP_CLEAR; enum VK_LOGIC_OP_AND = VkLogicOp.VK_LOGIC_OP_AND; enum VK_LOGIC_OP_AND_REVERSE = VkLogicOp.VK_LOGIC_OP_AND_REVERSE; enum VK_LOGIC_OP_COPY = VkLogicOp.VK_LOGIC_OP_COPY; enum VK_LOGIC_OP_AND_INVERTED = VkLogicOp.VK_LOGIC_OP_AND_INVERTED; enum VK_LOGIC_OP_NO_OP = VkLogicOp.VK_LOGIC_OP_NO_OP; enum VK_LOGIC_OP_XOR = VkLogicOp.VK_LOGIC_OP_XOR; enum VK_LOGIC_OP_OR = VkLogicOp.VK_LOGIC_OP_OR; enum VK_LOGIC_OP_NOR = VkLogicOp.VK_LOGIC_OP_NOR; enum VK_LOGIC_OP_EQUIVALENT = VkLogicOp.VK_LOGIC_OP_EQUIVALENT; enum VK_LOGIC_OP_INVERT = VkLogicOp.VK_LOGIC_OP_INVERT; enum VK_LOGIC_OP_OR_REVERSE = VkLogicOp.VK_LOGIC_OP_OR_REVERSE; enum VK_LOGIC_OP_COPY_INVERTED = VkLogicOp.VK_LOGIC_OP_COPY_INVERTED; enum VK_LOGIC_OP_OR_INVERTED = VkLogicOp.VK_LOGIC_OP_OR_INVERTED; enum VK_LOGIC_OP_NAND = VkLogicOp.VK_LOGIC_OP_NAND; enum VK_LOGIC_OP_SET = VkLogicOp.VK_LOGIC_OP_SET; enum VK_LOGIC_OP_BEGIN_RANGE = VkLogicOp.VK_LOGIC_OP_BEGIN_RANGE; enum VK_LOGIC_OP_END_RANGE = VkLogicOp.VK_LOGIC_OP_END_RANGE; enum VK_LOGIC_OP_RANGE_SIZE = VkLogicOp.VK_LOGIC_OP_RANGE_SIZE; enum VK_LOGIC_OP_MAX_ENUM = VkLogicOp.VK_LOGIC_OP_MAX_ENUM; } enum VkBlendFactor { VK_BLEND_FACTOR_ZERO = 0, VK_BLEND_FACTOR_ONE = 1, VK_BLEND_FACTOR_SRC_COLOR = 2, VK_BLEND_FACTOR_ONE_MINUS_SRC_COLOR = 3, VK_BLEND_FACTOR_DST_COLOR = 4, VK_BLEND_FACTOR_ONE_MINUS_DST_COLOR = 5, VK_BLEND_FACTOR_SRC_ALPHA = 6, VK_BLEND_FACTOR_ONE_MINUS_SRC_ALPHA = 7, VK_BLEND_FACTOR_DST_ALPHA = 8, VK_BLEND_FACTOR_ONE_MINUS_DST_ALPHA = 9, VK_BLEND_FACTOR_CONSTANT_COLOR = 10, VK_BLEND_FACTOR_ONE_MINUS_CONSTANT_COLOR = 11, VK_BLEND_FACTOR_CONSTANT_ALPHA = 12, VK_BLEND_FACTOR_ONE_MINUS_CONSTANT_ALPHA = 13, VK_BLEND_FACTOR_SRC_ALPHA_SATURATE = 14, VK_BLEND_FACTOR_SRC1_COLOR = 15, VK_BLEND_FACTOR_ONE_MINUS_SRC1_COLOR = 16, VK_BLEND_FACTOR_SRC1_ALPHA = 17, VK_BLEND_FACTOR_ONE_MINUS_SRC1_ALPHA = 18, VK_BLEND_FACTOR_BEGIN_RANGE = VK_BLEND_FACTOR_ZERO, VK_BLEND_FACTOR_END_RANGE = VK_BLEND_FACTOR_ONE_MINUS_SRC1_ALPHA, VK_BLEND_FACTOR_RANGE_SIZE = (VK_BLEND_FACTOR_ONE_MINUS_SRC1_ALPHA - VK_BLEND_FACTOR_ZERO + 1), VK_BLEND_FACTOR_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_BLEND_FACTOR_ZERO = VkBlendFactor.VK_BLEND_FACTOR_ZERO; enum VK_BLEND_FACTOR_ONE = VkBlendFactor.VK_BLEND_FACTOR_ONE; enum VK_BLEND_FACTOR_SRC_COLOR = VkBlendFactor.VK_BLEND_FACTOR_SRC_COLOR; enum VK_BLEND_FACTOR_ONE_MINUS_SRC_COLOR = VkBlendFactor.VK_BLEND_FACTOR_ONE_MINUS_SRC_COLOR; enum VK_BLEND_FACTOR_DST_COLOR = VkBlendFactor.VK_BLEND_FACTOR_DST_COLOR; enum VK_BLEND_FACTOR_ONE_MINUS_DST_COLOR = VkBlendFactor.VK_BLEND_FACTOR_ONE_MINUS_DST_COLOR; enum VK_BLEND_FACTOR_SRC_ALPHA = VkBlendFactor.VK_BLEND_FACTOR_SRC_ALPHA; enum VK_BLEND_FACTOR_ONE_MINUS_SRC_ALPHA = VkBlendFactor.VK_BLEND_FACTOR_ONE_MINUS_SRC_ALPHA; enum VK_BLEND_FACTOR_DST_ALPHA = VkBlendFactor.VK_BLEND_FACTOR_DST_ALPHA; enum VK_BLEND_FACTOR_ONE_MINUS_DST_ALPHA = VkBlendFactor.VK_BLEND_FACTOR_ONE_MINUS_DST_ALPHA; enum VK_BLEND_FACTOR_CONSTANT_COLOR = VkBlendFactor.VK_BLEND_FACTOR_CONSTANT_COLOR; enum VK_BLEND_FACTOR_ONE_MINUS_CONSTANT_COLOR = VkBlendFactor.VK_BLEND_FACTOR_ONE_MINUS_CONSTANT_COLOR; enum VK_BLEND_FACTOR_CONSTANT_ALPHA = VkBlendFactor.VK_BLEND_FACTOR_CONSTANT_ALPHA; enum VK_BLEND_FACTOR_ONE_MINUS_CONSTANT_ALPHA = VkBlendFactor.VK_BLEND_FACTOR_ONE_MINUS_CONSTANT_ALPHA; enum VK_BLEND_FACTOR_SRC_ALPHA_SATURATE = VkBlendFactor.VK_BLEND_FACTOR_SRC_ALPHA_SATURATE; enum VK_BLEND_FACTOR_SRC1_COLOR = VkBlendFactor.VK_BLEND_FACTOR_SRC1_COLOR; enum VK_BLEND_FACTOR_ONE_MINUS_SRC1_COLOR = VkBlendFactor.VK_BLEND_FACTOR_ONE_MINUS_SRC1_COLOR; enum VK_BLEND_FACTOR_SRC1_ALPHA = VkBlendFactor.VK_BLEND_FACTOR_SRC1_ALPHA; enum VK_BLEND_FACTOR_ONE_MINUS_SRC1_ALPHA = VkBlendFactor.VK_BLEND_FACTOR_ONE_MINUS_SRC1_ALPHA; enum VK_BLEND_FACTOR_BEGIN_RANGE = VkBlendFactor.VK_BLEND_FACTOR_BEGIN_RANGE; enum VK_BLEND_FACTOR_END_RANGE = VkBlendFactor.VK_BLEND_FACTOR_END_RANGE; enum VK_BLEND_FACTOR_RANGE_SIZE = VkBlendFactor.VK_BLEND_FACTOR_RANGE_SIZE; enum VK_BLEND_FACTOR_MAX_ENUM = VkBlendFactor.VK_BLEND_FACTOR_MAX_ENUM; } enum VkBlendOp { VK_BLEND_OP_ADD = 0, VK_BLEND_OP_SUBTRACT = 1, VK_BLEND_OP_REVERSE_SUBTRACT = 2, VK_BLEND_OP_MIN = 3, VK_BLEND_OP_MAX = 4, VK_BLEND_OP_BEGIN_RANGE = VK_BLEND_OP_ADD, VK_BLEND_OP_END_RANGE = VK_BLEND_OP_MAX, VK_BLEND_OP_RANGE_SIZE = (VK_BLEND_OP_MAX - VK_BLEND_OP_ADD + 1), VK_BLEND_OP_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_BLEND_OP_ADD = VkBlendOp.VK_BLEND_OP_ADD; enum VK_BLEND_OP_SUBTRACT = VkBlendOp.VK_BLEND_OP_SUBTRACT; enum VK_BLEND_OP_REVERSE_SUBTRACT = VkBlendOp.VK_BLEND_OP_REVERSE_SUBTRACT; enum VK_BLEND_OP_MIN = VkBlendOp.VK_BLEND_OP_MIN; enum VK_BLEND_OP_MAX = VkBlendOp.VK_BLEND_OP_MAX; enum VK_BLEND_OP_BEGIN_RANGE = VkBlendOp.VK_BLEND_OP_BEGIN_RANGE; enum VK_BLEND_OP_END_RANGE = VkBlendOp.VK_BLEND_OP_END_RANGE; enum VK_BLEND_OP_RANGE_SIZE = VkBlendOp.VK_BLEND_OP_RANGE_SIZE; enum VK_BLEND_OP_MAX_ENUM = VkBlendOp.VK_BLEND_OP_MAX_ENUM; } enum VkDynamicState { VK_DYNAMIC_STATE_VIEWPORT = 0, VK_DYNAMIC_STATE_SCISSOR = 1, VK_DYNAMIC_STATE_LINE_WIDTH = 2, VK_DYNAMIC_STATE_DEPTH_BIAS = 3, VK_DYNAMIC_STATE_BLEND_CONSTANTS = 4, VK_DYNAMIC_STATE_DEPTH_BOUNDS = 5, VK_DYNAMIC_STATE_STENCIL_COMPARE_MASK = 6, VK_DYNAMIC_STATE_STENCIL_WRITE_MASK = 7, VK_DYNAMIC_STATE_STENCIL_REFERENCE = 8, VK_DYNAMIC_STATE_BEGIN_RANGE = VK_DYNAMIC_STATE_VIEWPORT, VK_DYNAMIC_STATE_END_RANGE = VK_DYNAMIC_STATE_STENCIL_REFERENCE, VK_DYNAMIC_STATE_RANGE_SIZE = (VK_DYNAMIC_STATE_STENCIL_REFERENCE - VK_DYNAMIC_STATE_VIEWPORT + 1), VK_DYNAMIC_STATE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_DYNAMIC_STATE_VIEWPORT = VkDynamicState.VK_DYNAMIC_STATE_VIEWPORT; enum VK_DYNAMIC_STATE_SCISSOR = VkDynamicState.VK_DYNAMIC_STATE_SCISSOR; enum VK_DYNAMIC_STATE_LINE_WIDTH = VkDynamicState.VK_DYNAMIC_STATE_LINE_WIDTH; enum VK_DYNAMIC_STATE_DEPTH_BIAS = VkDynamicState.VK_DYNAMIC_STATE_DEPTH_BIAS; enum VK_DYNAMIC_STATE_BLEND_CONSTANTS = VkDynamicState.VK_DYNAMIC_STATE_BLEND_CONSTANTS; enum VK_DYNAMIC_STATE_DEPTH_BOUNDS = VkDynamicState.VK_DYNAMIC_STATE_DEPTH_BOUNDS; enum VK_DYNAMIC_STATE_STENCIL_COMPARE_MASK = VkDynamicState.VK_DYNAMIC_STATE_STENCIL_COMPARE_MASK; enum VK_DYNAMIC_STATE_STENCIL_WRITE_MASK = VkDynamicState.VK_DYNAMIC_STATE_STENCIL_WRITE_MASK; enum VK_DYNAMIC_STATE_STENCIL_REFERENCE = VkDynamicState.VK_DYNAMIC_STATE_STENCIL_REFERENCE; enum VK_DYNAMIC_STATE_BEGIN_RANGE = VkDynamicState.VK_DYNAMIC_STATE_BEGIN_RANGE; enum VK_DYNAMIC_STATE_END_RANGE = VkDynamicState.VK_DYNAMIC_STATE_END_RANGE; enum VK_DYNAMIC_STATE_RANGE_SIZE = VkDynamicState.VK_DYNAMIC_STATE_RANGE_SIZE; enum VK_DYNAMIC_STATE_MAX_ENUM = VkDynamicState.VK_DYNAMIC_STATE_MAX_ENUM; } enum VkFilter { VK_FILTER_NEAREST = 0, VK_FILTER_LINEAR = 1, VK_FILTER_CUBIC_IMG = 1000015000, VK_FILTER_BEGIN_RANGE = VK_FILTER_NEAREST, VK_FILTER_END_RANGE = VK_FILTER_LINEAR, VK_FILTER_RANGE_SIZE = (VK_FILTER_LINEAR - VK_FILTER_NEAREST + 1), VK_FILTER_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_FILTER_NEAREST = VkFilter.VK_FILTER_NEAREST; enum VK_FILTER_LINEAR = VkFilter.VK_FILTER_LINEAR; enum VK_FILTER_CUBIC_IMG = VkFilter.VK_FILTER_CUBIC_IMG; enum VK_FILTER_BEGIN_RANGE = VkFilter.VK_FILTER_BEGIN_RANGE; enum VK_FILTER_END_RANGE = VkFilter.VK_FILTER_END_RANGE; enum VK_FILTER_RANGE_SIZE = VkFilter.VK_FILTER_RANGE_SIZE; enum VK_FILTER_MAX_ENUM = VkFilter.VK_FILTER_MAX_ENUM; } enum VkSamplerMipmapMode { VK_SAMPLER_MIPMAP_MODE_NEAREST = 0, VK_SAMPLER_MIPMAP_MODE_LINEAR = 1, VK_SAMPLER_MIPMAP_MODE_BEGIN_RANGE = VK_SAMPLER_MIPMAP_MODE_NEAREST, VK_SAMPLER_MIPMAP_MODE_END_RANGE = VK_SAMPLER_MIPMAP_MODE_LINEAR, VK_SAMPLER_MIPMAP_MODE_RANGE_SIZE = (VK_SAMPLER_MIPMAP_MODE_LINEAR - VK_SAMPLER_MIPMAP_MODE_NEAREST + 1), VK_SAMPLER_MIPMAP_MODE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SAMPLER_MIPMAP_MODE_NEAREST = VkSamplerMipmapMode.VK_SAMPLER_MIPMAP_MODE_NEAREST; enum VK_SAMPLER_MIPMAP_MODE_LINEAR = VkSamplerMipmapMode.VK_SAMPLER_MIPMAP_MODE_LINEAR; enum VK_SAMPLER_MIPMAP_MODE_BEGIN_RANGE = VkSamplerMipmapMode.VK_SAMPLER_MIPMAP_MODE_BEGIN_RANGE; enum VK_SAMPLER_MIPMAP_MODE_END_RANGE = VkSamplerMipmapMode.VK_SAMPLER_MIPMAP_MODE_END_RANGE; enum VK_SAMPLER_MIPMAP_MODE_RANGE_SIZE = VkSamplerMipmapMode.VK_SAMPLER_MIPMAP_MODE_RANGE_SIZE; enum VK_SAMPLER_MIPMAP_MODE_MAX_ENUM = VkSamplerMipmapMode.VK_SAMPLER_MIPMAP_MODE_MAX_ENUM; } enum VkSamplerAddressMode { VK_SAMPLER_ADDRESS_MODE_REPEAT = 0, VK_SAMPLER_ADDRESS_MODE_MIRRORED_REPEAT = 1, VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_EDGE = 2, VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_BORDER = 3, VK_SAMPLER_ADDRESS_MODE_MIRROR_CLAMP_TO_EDGE = 4, VK_SAMPLER_ADDRESS_MODE_BEGIN_RANGE = VK_SAMPLER_ADDRESS_MODE_REPEAT, VK_SAMPLER_ADDRESS_MODE_END_RANGE = VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_BORDER, VK_SAMPLER_ADDRESS_MODE_RANGE_SIZE = (VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_BORDER - VK_SAMPLER_ADDRESS_MODE_REPEAT + 1), VK_SAMPLER_ADDRESS_MODE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SAMPLER_ADDRESS_MODE_REPEAT = VkSamplerAddressMode.VK_SAMPLER_ADDRESS_MODE_REPEAT; enum VK_SAMPLER_ADDRESS_MODE_MIRRORED_REPEAT = VkSamplerAddressMode.VK_SAMPLER_ADDRESS_MODE_MIRRORED_REPEAT; enum VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_EDGE = VkSamplerAddressMode.VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_EDGE; enum VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_BORDER = VkSamplerAddressMode.VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_BORDER; enum VK_SAMPLER_ADDRESS_MODE_MIRROR_CLAMP_TO_EDGE = VkSamplerAddressMode.VK_SAMPLER_ADDRESS_MODE_MIRROR_CLAMP_TO_EDGE; enum VK_SAMPLER_ADDRESS_MODE_BEGIN_RANGE = VkSamplerAddressMode.VK_SAMPLER_ADDRESS_MODE_BEGIN_RANGE; enum VK_SAMPLER_ADDRESS_MODE_END_RANGE = VkSamplerAddressMode.VK_SAMPLER_ADDRESS_MODE_END_RANGE; enum VK_SAMPLER_ADDRESS_MODE_RANGE_SIZE = VkSamplerAddressMode.VK_SAMPLER_ADDRESS_MODE_RANGE_SIZE; enum VK_SAMPLER_ADDRESS_MODE_MAX_ENUM = VkSamplerAddressMode.VK_SAMPLER_ADDRESS_MODE_MAX_ENUM; } enum VkBorderColor { VK_BORDER_COLOR_FLOAT_TRANSPARENT_BLACK = 0, VK_BORDER_COLOR_INT_TRANSPARENT_BLACK = 1, VK_BORDER_COLOR_FLOAT_OPAQUE_BLACK = 2, VK_BORDER_COLOR_INT_OPAQUE_BLACK = 3, VK_BORDER_COLOR_FLOAT_OPAQUE_WHITE = 4, VK_BORDER_COLOR_INT_OPAQUE_WHITE = 5, VK_BORDER_COLOR_BEGIN_RANGE = VK_BORDER_COLOR_FLOAT_TRANSPARENT_BLACK, VK_BORDER_COLOR_END_RANGE = VK_BORDER_COLOR_INT_OPAQUE_WHITE, VK_BORDER_COLOR_RANGE_SIZE = (VK_BORDER_COLOR_INT_OPAQUE_WHITE - VK_BORDER_COLOR_FLOAT_TRANSPARENT_BLACK + 1), VK_BORDER_COLOR_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_BORDER_COLOR_FLOAT_TRANSPARENT_BLACK = VkBorderColor.VK_BORDER_COLOR_FLOAT_TRANSPARENT_BLACK; enum VK_BORDER_COLOR_INT_TRANSPARENT_BLACK = VkBorderColor.VK_BORDER_COLOR_INT_TRANSPARENT_BLACK; enum VK_BORDER_COLOR_FLOAT_OPAQUE_BLACK = VkBorderColor.VK_BORDER_COLOR_FLOAT_OPAQUE_BLACK; enum VK_BORDER_COLOR_INT_OPAQUE_BLACK = VkBorderColor.VK_BORDER_COLOR_INT_OPAQUE_BLACK; enum VK_BORDER_COLOR_FLOAT_OPAQUE_WHITE = VkBorderColor.VK_BORDER_COLOR_FLOAT_OPAQUE_WHITE; enum VK_BORDER_COLOR_INT_OPAQUE_WHITE = VkBorderColor.VK_BORDER_COLOR_INT_OPAQUE_WHITE; enum VK_BORDER_COLOR_BEGIN_RANGE = VkBorderColor.VK_BORDER_COLOR_BEGIN_RANGE; enum VK_BORDER_COLOR_END_RANGE = VkBorderColor.VK_BORDER_COLOR_END_RANGE; enum VK_BORDER_COLOR_RANGE_SIZE = VkBorderColor.VK_BORDER_COLOR_RANGE_SIZE; enum VK_BORDER_COLOR_MAX_ENUM = VkBorderColor.VK_BORDER_COLOR_MAX_ENUM; } enum VkDescriptorType { VK_DESCRIPTOR_TYPE_SAMPLER = 0, VK_DESCRIPTOR_TYPE_COMBINED_IMAGE_SAMPLER = 1, VK_DESCRIPTOR_TYPE_SAMPLED_IMAGE = 2, VK_DESCRIPTOR_TYPE_STORAGE_IMAGE = 3, VK_DESCRIPTOR_TYPE_UNIFORM_TEXEL_BUFFER = 4, VK_DESCRIPTOR_TYPE_STORAGE_TEXEL_BUFFER = 5, VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER = 6, VK_DESCRIPTOR_TYPE_STORAGE_BUFFER = 7, VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER_DYNAMIC = 8, VK_DESCRIPTOR_TYPE_STORAGE_BUFFER_DYNAMIC = 9, VK_DESCRIPTOR_TYPE_INPUT_ATTACHMENT = 10, VK_DESCRIPTOR_TYPE_BEGIN_RANGE = VK_DESCRIPTOR_TYPE_SAMPLER, VK_DESCRIPTOR_TYPE_END_RANGE = VK_DESCRIPTOR_TYPE_INPUT_ATTACHMENT, VK_DESCRIPTOR_TYPE_RANGE_SIZE = (VK_DESCRIPTOR_TYPE_INPUT_ATTACHMENT - VK_DESCRIPTOR_TYPE_SAMPLER + 1), VK_DESCRIPTOR_TYPE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_DESCRIPTOR_TYPE_SAMPLER = VkDescriptorType.VK_DESCRIPTOR_TYPE_SAMPLER; enum VK_DESCRIPTOR_TYPE_COMBINED_IMAGE_SAMPLER = VkDescriptorType.VK_DESCRIPTOR_TYPE_COMBINED_IMAGE_SAMPLER; enum VK_DESCRIPTOR_TYPE_SAMPLED_IMAGE = VkDescriptorType.VK_DESCRIPTOR_TYPE_SAMPLED_IMAGE; enum VK_DESCRIPTOR_TYPE_STORAGE_IMAGE = VkDescriptorType.VK_DESCRIPTOR_TYPE_STORAGE_IMAGE; enum VK_DESCRIPTOR_TYPE_UNIFORM_TEXEL_BUFFER = VkDescriptorType.VK_DESCRIPTOR_TYPE_UNIFORM_TEXEL_BUFFER; enum VK_DESCRIPTOR_TYPE_STORAGE_TEXEL_BUFFER = VkDescriptorType.VK_DESCRIPTOR_TYPE_STORAGE_TEXEL_BUFFER; enum VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER = VkDescriptorType.VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER; enum VK_DESCRIPTOR_TYPE_STORAGE_BUFFER = VkDescriptorType.VK_DESCRIPTOR_TYPE_STORAGE_BUFFER; enum VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER_DYNAMIC = VkDescriptorType.VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER_DYNAMIC; enum VK_DESCRIPTOR_TYPE_STORAGE_BUFFER_DYNAMIC = VkDescriptorType.VK_DESCRIPTOR_TYPE_STORAGE_BUFFER_DYNAMIC; enum VK_DESCRIPTOR_TYPE_INPUT_ATTACHMENT = VkDescriptorType.VK_DESCRIPTOR_TYPE_INPUT_ATTACHMENT; enum VK_DESCRIPTOR_TYPE_BEGIN_RANGE = VkDescriptorType.VK_DESCRIPTOR_TYPE_BEGIN_RANGE; enum VK_DESCRIPTOR_TYPE_END_RANGE = VkDescriptorType.VK_DESCRIPTOR_TYPE_END_RANGE; enum VK_DESCRIPTOR_TYPE_RANGE_SIZE = VkDescriptorType.VK_DESCRIPTOR_TYPE_RANGE_SIZE; enum VK_DESCRIPTOR_TYPE_MAX_ENUM = VkDescriptorType.VK_DESCRIPTOR_TYPE_MAX_ENUM; } enum VkAttachmentLoadOp { VK_ATTACHMENT_LOAD_OP_LOAD = 0, VK_ATTACHMENT_LOAD_OP_CLEAR = 1, VK_ATTACHMENT_LOAD_OP_DONT_CARE = 2, VK_ATTACHMENT_LOAD_OP_BEGIN_RANGE = VK_ATTACHMENT_LOAD_OP_LOAD, VK_ATTACHMENT_LOAD_OP_END_RANGE = VK_ATTACHMENT_LOAD_OP_DONT_CARE, VK_ATTACHMENT_LOAD_OP_RANGE_SIZE = (VK_ATTACHMENT_LOAD_OP_DONT_CARE - VK_ATTACHMENT_LOAD_OP_LOAD + 1), VK_ATTACHMENT_LOAD_OP_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_ATTACHMENT_LOAD_OP_LOAD = VkAttachmentLoadOp.VK_ATTACHMENT_LOAD_OP_LOAD; enum VK_ATTACHMENT_LOAD_OP_CLEAR = VkAttachmentLoadOp.VK_ATTACHMENT_LOAD_OP_CLEAR; enum VK_ATTACHMENT_LOAD_OP_DONT_CARE = VkAttachmentLoadOp.VK_ATTACHMENT_LOAD_OP_DONT_CARE; enum VK_ATTACHMENT_LOAD_OP_BEGIN_RANGE = VkAttachmentLoadOp.VK_ATTACHMENT_LOAD_OP_BEGIN_RANGE; enum VK_ATTACHMENT_LOAD_OP_END_RANGE = VkAttachmentLoadOp.VK_ATTACHMENT_LOAD_OP_END_RANGE; enum VK_ATTACHMENT_LOAD_OP_RANGE_SIZE = VkAttachmentLoadOp.VK_ATTACHMENT_LOAD_OP_RANGE_SIZE; enum VK_ATTACHMENT_LOAD_OP_MAX_ENUM = VkAttachmentLoadOp.VK_ATTACHMENT_LOAD_OP_MAX_ENUM; } enum VkAttachmentStoreOp { VK_ATTACHMENT_STORE_OP_STORE = 0, VK_ATTACHMENT_STORE_OP_DONT_CARE = 1, VK_ATTACHMENT_STORE_OP_BEGIN_RANGE = VK_ATTACHMENT_STORE_OP_STORE, VK_ATTACHMENT_STORE_OP_END_RANGE = VK_ATTACHMENT_STORE_OP_DONT_CARE, VK_ATTACHMENT_STORE_OP_RANGE_SIZE = (VK_ATTACHMENT_STORE_OP_DONT_CARE - VK_ATTACHMENT_STORE_OP_STORE + 1), VK_ATTACHMENT_STORE_OP_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_ATTACHMENT_STORE_OP_STORE = VkAttachmentStoreOp.VK_ATTACHMENT_STORE_OP_STORE; enum VK_ATTACHMENT_STORE_OP_DONT_CARE = VkAttachmentStoreOp.VK_ATTACHMENT_STORE_OP_DONT_CARE; enum VK_ATTACHMENT_STORE_OP_BEGIN_RANGE = VkAttachmentStoreOp.VK_ATTACHMENT_STORE_OP_BEGIN_RANGE; enum VK_ATTACHMENT_STORE_OP_END_RANGE = VkAttachmentStoreOp.VK_ATTACHMENT_STORE_OP_END_RANGE; enum VK_ATTACHMENT_STORE_OP_RANGE_SIZE = VkAttachmentStoreOp.VK_ATTACHMENT_STORE_OP_RANGE_SIZE; enum VK_ATTACHMENT_STORE_OP_MAX_ENUM = VkAttachmentStoreOp.VK_ATTACHMENT_STORE_OP_MAX_ENUM; } enum VkPipelineBindPoint { VK_PIPELINE_BIND_POINT_GRAPHICS = 0, VK_PIPELINE_BIND_POINT_COMPUTE = 1, VK_PIPELINE_BIND_POINT_BEGIN_RANGE = VK_PIPELINE_BIND_POINT_GRAPHICS, VK_PIPELINE_BIND_POINT_END_RANGE = VK_PIPELINE_BIND_POINT_COMPUTE, VK_PIPELINE_BIND_POINT_RANGE_SIZE = (VK_PIPELINE_BIND_POINT_COMPUTE - VK_PIPELINE_BIND_POINT_GRAPHICS + 1), VK_PIPELINE_BIND_POINT_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_PIPELINE_BIND_POINT_GRAPHICS = VkPipelineBindPoint.VK_PIPELINE_BIND_POINT_GRAPHICS; enum VK_PIPELINE_BIND_POINT_COMPUTE = VkPipelineBindPoint.VK_PIPELINE_BIND_POINT_COMPUTE; enum VK_PIPELINE_BIND_POINT_BEGIN_RANGE = VkPipelineBindPoint.VK_PIPELINE_BIND_POINT_BEGIN_RANGE; enum VK_PIPELINE_BIND_POINT_END_RANGE = VkPipelineBindPoint.VK_PIPELINE_BIND_POINT_END_RANGE; enum VK_PIPELINE_BIND_POINT_RANGE_SIZE = VkPipelineBindPoint.VK_PIPELINE_BIND_POINT_RANGE_SIZE; enum VK_PIPELINE_BIND_POINT_MAX_ENUM = VkPipelineBindPoint.VK_PIPELINE_BIND_POINT_MAX_ENUM; } enum VkCommandBufferLevel { VK_COMMAND_BUFFER_LEVEL_PRIMARY = 0, VK_COMMAND_BUFFER_LEVEL_SECONDARY = 1, VK_COMMAND_BUFFER_LEVEL_BEGIN_RANGE = VK_COMMAND_BUFFER_LEVEL_PRIMARY, VK_COMMAND_BUFFER_LEVEL_END_RANGE = VK_COMMAND_BUFFER_LEVEL_SECONDARY, VK_COMMAND_BUFFER_LEVEL_RANGE_SIZE = (VK_COMMAND_BUFFER_LEVEL_SECONDARY - VK_COMMAND_BUFFER_LEVEL_PRIMARY + 1), VK_COMMAND_BUFFER_LEVEL_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_COMMAND_BUFFER_LEVEL_PRIMARY = VkCommandBufferLevel.VK_COMMAND_BUFFER_LEVEL_PRIMARY; enum VK_COMMAND_BUFFER_LEVEL_SECONDARY = VkCommandBufferLevel.VK_COMMAND_BUFFER_LEVEL_SECONDARY; enum VK_COMMAND_BUFFER_LEVEL_BEGIN_RANGE = VkCommandBufferLevel.VK_COMMAND_BUFFER_LEVEL_BEGIN_RANGE; enum VK_COMMAND_BUFFER_LEVEL_END_RANGE = VkCommandBufferLevel.VK_COMMAND_BUFFER_LEVEL_END_RANGE; enum VK_COMMAND_BUFFER_LEVEL_RANGE_SIZE = VkCommandBufferLevel.VK_COMMAND_BUFFER_LEVEL_RANGE_SIZE; enum VK_COMMAND_BUFFER_LEVEL_MAX_ENUM = VkCommandBufferLevel.VK_COMMAND_BUFFER_LEVEL_MAX_ENUM; } enum VkIndexType { VK_INDEX_TYPE_UINT16 = 0, VK_INDEX_TYPE_UINT32 = 1, VK_INDEX_TYPE_BEGIN_RANGE = VK_INDEX_TYPE_UINT16, VK_INDEX_TYPE_END_RANGE = VK_INDEX_TYPE_UINT32, VK_INDEX_TYPE_RANGE_SIZE = (VK_INDEX_TYPE_UINT32 - VK_INDEX_TYPE_UINT16 + 1), VK_INDEX_TYPE_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_INDEX_TYPE_UINT16 = VkIndexType.VK_INDEX_TYPE_UINT16; enum VK_INDEX_TYPE_UINT32 = VkIndexType.VK_INDEX_TYPE_UINT32; enum VK_INDEX_TYPE_BEGIN_RANGE = VkIndexType.VK_INDEX_TYPE_BEGIN_RANGE; enum VK_INDEX_TYPE_END_RANGE = VkIndexType.VK_INDEX_TYPE_END_RANGE; enum VK_INDEX_TYPE_RANGE_SIZE = VkIndexType.VK_INDEX_TYPE_RANGE_SIZE; enum VK_INDEX_TYPE_MAX_ENUM = VkIndexType.VK_INDEX_TYPE_MAX_ENUM; } enum VkSubpassContents { VK_SUBPASS_CONTENTS_INLINE = 0, VK_SUBPASS_CONTENTS_SECONDARY_COMMAND_BUFFERS = 1, VK_SUBPASS_CONTENTS_BEGIN_RANGE = VK_SUBPASS_CONTENTS_INLINE, VK_SUBPASS_CONTENTS_END_RANGE = VK_SUBPASS_CONTENTS_SECONDARY_COMMAND_BUFFERS, VK_SUBPASS_CONTENTS_RANGE_SIZE = (VK_SUBPASS_CONTENTS_SECONDARY_COMMAND_BUFFERS - VK_SUBPASS_CONTENTS_INLINE + 1), VK_SUBPASS_CONTENTS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SUBPASS_CONTENTS_INLINE = VkSubpassContents.VK_SUBPASS_CONTENTS_INLINE; enum VK_SUBPASS_CONTENTS_SECONDARY_COMMAND_BUFFERS = VkSubpassContents.VK_SUBPASS_CONTENTS_SECONDARY_COMMAND_BUFFERS; enum VK_SUBPASS_CONTENTS_BEGIN_RANGE = VkSubpassContents.VK_SUBPASS_CONTENTS_BEGIN_RANGE; enum VK_SUBPASS_CONTENTS_END_RANGE = VkSubpassContents.VK_SUBPASS_CONTENTS_END_RANGE; enum VK_SUBPASS_CONTENTS_RANGE_SIZE = VkSubpassContents.VK_SUBPASS_CONTENTS_RANGE_SIZE; enum VK_SUBPASS_CONTENTS_MAX_ENUM = VkSubpassContents.VK_SUBPASS_CONTENTS_MAX_ENUM; } alias VkInstanceCreateFlags = VkFlags; enum VkFormatFeatureFlagBits { VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT = 0x00000001, VK_FORMAT_FEATURE_STORAGE_IMAGE_BIT = 0x00000002, VK_FORMAT_FEATURE_STORAGE_IMAGE_ATOMIC_BIT = 0x00000004, VK_FORMAT_FEATURE_UNIFORM_TEXEL_BUFFER_BIT = 0x00000008, VK_FORMAT_FEATURE_STORAGE_TEXEL_BUFFER_BIT = 0x00000010, VK_FORMAT_FEATURE_STORAGE_TEXEL_BUFFER_ATOMIC_BIT = 0x00000020, VK_FORMAT_FEATURE_VERTEX_BUFFER_BIT = 0x00000040, VK_FORMAT_FEATURE_COLOR_ATTACHMENT_BIT = 0x00000080, VK_FORMAT_FEATURE_COLOR_ATTACHMENT_BLEND_BIT = 0x00000100, VK_FORMAT_FEATURE_DEPTH_STENCIL_ATTACHMENT_BIT = 0x00000200, VK_FORMAT_FEATURE_BLIT_SRC_BIT = 0x00000400, VK_FORMAT_FEATURE_BLIT_DST_BIT = 0x00000800, VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_LINEAR_BIT = 0x00001000, VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_CUBIC_BIT_IMG = 0x00002000, VK_FORMAT_FEATURE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT; enum VK_FORMAT_FEATURE_STORAGE_IMAGE_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_STORAGE_IMAGE_BIT; enum VK_FORMAT_FEATURE_STORAGE_IMAGE_ATOMIC_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_STORAGE_IMAGE_ATOMIC_BIT; enum VK_FORMAT_FEATURE_UNIFORM_TEXEL_BUFFER_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_UNIFORM_TEXEL_BUFFER_BIT; enum VK_FORMAT_FEATURE_STORAGE_TEXEL_BUFFER_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_STORAGE_TEXEL_BUFFER_BIT; enum VK_FORMAT_FEATURE_STORAGE_TEXEL_BUFFER_ATOMIC_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_STORAGE_TEXEL_BUFFER_ATOMIC_BIT; enum VK_FORMAT_FEATURE_VERTEX_BUFFER_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_VERTEX_BUFFER_BIT; enum VK_FORMAT_FEATURE_COLOR_ATTACHMENT_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_COLOR_ATTACHMENT_BIT; enum VK_FORMAT_FEATURE_COLOR_ATTACHMENT_BLEND_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_COLOR_ATTACHMENT_BLEND_BIT; enum VK_FORMAT_FEATURE_DEPTH_STENCIL_ATTACHMENT_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_DEPTH_STENCIL_ATTACHMENT_BIT; enum VK_FORMAT_FEATURE_BLIT_SRC_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_BLIT_SRC_BIT; enum VK_FORMAT_FEATURE_BLIT_DST_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_BLIT_DST_BIT; enum VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_LINEAR_BIT = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_LINEAR_BIT; enum VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_CUBIC_BIT_IMG = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_CUBIC_BIT_IMG; enum VK_FORMAT_FEATURE_FLAG_BITS_MAX_ENUM = VkFormatFeatureFlagBits.VK_FORMAT_FEATURE_FLAG_BITS_MAX_ENUM; } alias VkFormatFeatureFlags = VkFlags; enum VkImageUsageFlagBits { VK_IMAGE_USAGE_TRANSFER_SRC_BIT = 0x00000001, VK_IMAGE_USAGE_TRANSFER_DST_BIT = 0x00000002, VK_IMAGE_USAGE_SAMPLED_BIT = 0x00000004, VK_IMAGE_USAGE_STORAGE_BIT = 0x00000008, VK_IMAGE_USAGE_COLOR_ATTACHMENT_BIT = 0x00000010, VK_IMAGE_USAGE_DEPTH_STENCIL_ATTACHMENT_BIT = 0x00000020, VK_IMAGE_USAGE_TRANSIENT_ATTACHMENT_BIT = 0x00000040, VK_IMAGE_USAGE_INPUT_ATTACHMENT_BIT = 0x00000080, VK_IMAGE_USAGE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_IMAGE_USAGE_TRANSFER_SRC_BIT = VkImageUsageFlagBits.VK_IMAGE_USAGE_TRANSFER_SRC_BIT; enum VK_IMAGE_USAGE_TRANSFER_DST_BIT = VkImageUsageFlagBits.VK_IMAGE_USAGE_TRANSFER_DST_BIT; enum VK_IMAGE_USAGE_SAMPLED_BIT = VkImageUsageFlagBits.VK_IMAGE_USAGE_SAMPLED_BIT; enum VK_IMAGE_USAGE_STORAGE_BIT = VkImageUsageFlagBits.VK_IMAGE_USAGE_STORAGE_BIT; enum VK_IMAGE_USAGE_COLOR_ATTACHMENT_BIT = VkImageUsageFlagBits.VK_IMAGE_USAGE_COLOR_ATTACHMENT_BIT; enum VK_IMAGE_USAGE_DEPTH_STENCIL_ATTACHMENT_BIT = VkImageUsageFlagBits.VK_IMAGE_USAGE_DEPTH_STENCIL_ATTACHMENT_BIT; enum VK_IMAGE_USAGE_TRANSIENT_ATTACHMENT_BIT = VkImageUsageFlagBits.VK_IMAGE_USAGE_TRANSIENT_ATTACHMENT_BIT; enum VK_IMAGE_USAGE_INPUT_ATTACHMENT_BIT = VkImageUsageFlagBits.VK_IMAGE_USAGE_INPUT_ATTACHMENT_BIT; enum VK_IMAGE_USAGE_FLAG_BITS_MAX_ENUM = VkImageUsageFlagBits.VK_IMAGE_USAGE_FLAG_BITS_MAX_ENUM; } alias VkImageUsageFlags = VkFlags; enum VkImageCreateFlagBits { VK_IMAGE_CREATE_SPARSE_BINDING_BIT = 0x00000001, VK_IMAGE_CREATE_SPARSE_RESIDENCY_BIT = 0x00000002, VK_IMAGE_CREATE_SPARSE_ALIASED_BIT = 0x00000004, VK_IMAGE_CREATE_MUTABLE_FORMAT_BIT = 0x00000008, VK_IMAGE_CREATE_CUBE_COMPATIBLE_BIT = 0x00000010, VK_IMAGE_CREATE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_IMAGE_CREATE_SPARSE_BINDING_BIT = VkImageCreateFlagBits.VK_IMAGE_CREATE_SPARSE_BINDING_BIT; enum VK_IMAGE_CREATE_SPARSE_RESIDENCY_BIT = VkImageCreateFlagBits.VK_IMAGE_CREATE_SPARSE_RESIDENCY_BIT; enum VK_IMAGE_CREATE_SPARSE_ALIASED_BIT = VkImageCreateFlagBits.VK_IMAGE_CREATE_SPARSE_ALIASED_BIT; enum VK_IMAGE_CREATE_MUTABLE_FORMAT_BIT = VkImageCreateFlagBits.VK_IMAGE_CREATE_MUTABLE_FORMAT_BIT; enum VK_IMAGE_CREATE_CUBE_COMPATIBLE_BIT = VkImageCreateFlagBits.VK_IMAGE_CREATE_CUBE_COMPATIBLE_BIT; enum VK_IMAGE_CREATE_FLAG_BITS_MAX_ENUM = VkImageCreateFlagBits.VK_IMAGE_CREATE_FLAG_BITS_MAX_ENUM; } alias VkImageCreateFlags = VkFlags; enum VkSampleCountFlagBits { VK_SAMPLE_COUNT_1_BIT = 0x00000001, VK_SAMPLE_COUNT_2_BIT = 0x00000002, VK_SAMPLE_COUNT_4_BIT = 0x00000004, VK_SAMPLE_COUNT_8_BIT = 0x00000008, VK_SAMPLE_COUNT_16_BIT = 0x00000010, VK_SAMPLE_COUNT_32_BIT = 0x00000020, VK_SAMPLE_COUNT_64_BIT = 0x00000040, VK_SAMPLE_COUNT_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SAMPLE_COUNT_1_BIT = VkSampleCountFlagBits.VK_SAMPLE_COUNT_1_BIT; enum VK_SAMPLE_COUNT_2_BIT = VkSampleCountFlagBits.VK_SAMPLE_COUNT_2_BIT; enum VK_SAMPLE_COUNT_4_BIT = VkSampleCountFlagBits.VK_SAMPLE_COUNT_4_BIT; enum VK_SAMPLE_COUNT_8_BIT = VkSampleCountFlagBits.VK_SAMPLE_COUNT_8_BIT; enum VK_SAMPLE_COUNT_16_BIT = VkSampleCountFlagBits.VK_SAMPLE_COUNT_16_BIT; enum VK_SAMPLE_COUNT_32_BIT = VkSampleCountFlagBits.VK_SAMPLE_COUNT_32_BIT; enum VK_SAMPLE_COUNT_64_BIT = VkSampleCountFlagBits.VK_SAMPLE_COUNT_64_BIT; enum VK_SAMPLE_COUNT_FLAG_BITS_MAX_ENUM = VkSampleCountFlagBits.VK_SAMPLE_COUNT_FLAG_BITS_MAX_ENUM; } alias VkSampleCountFlags = VkFlags; enum VkQueueFlagBits { VK_QUEUE_GRAPHICS_BIT = 0x00000001, VK_QUEUE_COMPUTE_BIT = 0x00000002, VK_QUEUE_TRANSFER_BIT = 0x00000004, VK_QUEUE_SPARSE_BINDING_BIT = 0x00000008, VK_QUEUE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_QUEUE_GRAPHICS_BIT = VkQueueFlagBits.VK_QUEUE_GRAPHICS_BIT; enum VK_QUEUE_COMPUTE_BIT = VkQueueFlagBits.VK_QUEUE_COMPUTE_BIT; enum VK_QUEUE_TRANSFER_BIT = VkQueueFlagBits.VK_QUEUE_TRANSFER_BIT; enum VK_QUEUE_SPARSE_BINDING_BIT = VkQueueFlagBits.VK_QUEUE_SPARSE_BINDING_BIT; enum VK_QUEUE_FLAG_BITS_MAX_ENUM = VkQueueFlagBits.VK_QUEUE_FLAG_BITS_MAX_ENUM; } alias VkQueueFlags = VkFlags; enum VkMemoryPropertyFlagBits { VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT = 0x00000001, VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT = 0x00000002, VK_MEMORY_PROPERTY_HOST_COHERENT_BIT = 0x00000004, VK_MEMORY_PROPERTY_HOST_CACHED_BIT = 0x00000008, VK_MEMORY_PROPERTY_LAZILY_ALLOCATED_BIT = 0x00000010, VK_MEMORY_PROPERTY_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT = VkMemoryPropertyFlagBits.VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT; enum VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT = VkMemoryPropertyFlagBits.VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT; enum VK_MEMORY_PROPERTY_HOST_COHERENT_BIT = VkMemoryPropertyFlagBits.VK_MEMORY_PROPERTY_HOST_COHERENT_BIT; enum VK_MEMORY_PROPERTY_HOST_CACHED_BIT = VkMemoryPropertyFlagBits.VK_MEMORY_PROPERTY_HOST_CACHED_BIT; enum VK_MEMORY_PROPERTY_LAZILY_ALLOCATED_BIT = VkMemoryPropertyFlagBits.VK_MEMORY_PROPERTY_LAZILY_ALLOCATED_BIT; enum VK_MEMORY_PROPERTY_FLAG_BITS_MAX_ENUM = VkMemoryPropertyFlagBits.VK_MEMORY_PROPERTY_FLAG_BITS_MAX_ENUM; } alias VkMemoryPropertyFlags = VkFlags; enum VkMemoryHeapFlagBits { VK_MEMORY_HEAP_DEVICE_LOCAL_BIT = 0x00000001, VK_MEMORY_HEAP_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_MEMORY_HEAP_DEVICE_LOCAL_BIT = VkMemoryHeapFlagBits.VK_MEMORY_HEAP_DEVICE_LOCAL_BIT; enum VK_MEMORY_HEAP_FLAG_BITS_MAX_ENUM = VkMemoryHeapFlagBits.VK_MEMORY_HEAP_FLAG_BITS_MAX_ENUM; } alias VkMemoryHeapFlags = VkFlags; alias VkDeviceCreateFlags = VkFlags; alias VkDeviceQueueCreateFlags = VkFlags; enum VkPipelineStageFlagBits { VK_PIPELINE_STAGE_TOP_OF_PIPE_BIT = 0x00000001, VK_PIPELINE_STAGE_DRAW_INDIRECT_BIT = 0x00000002, VK_PIPELINE_STAGE_VERTEX_INPUT_BIT = 0x00000004, VK_PIPELINE_STAGE_VERTEX_SHADER_BIT = 0x00000008, VK_PIPELINE_STAGE_TESSELLATION_CONTROL_SHADER_BIT = 0x00000010, VK_PIPELINE_STAGE_TESSELLATION_EVALUATION_SHADER_BIT = 0x00000020, VK_PIPELINE_STAGE_GEOMETRY_SHADER_BIT = 0x00000040, VK_PIPELINE_STAGE_FRAGMENT_SHADER_BIT = 0x00000080, VK_PIPELINE_STAGE_EARLY_FRAGMENT_TESTS_BIT = 0x00000100, VK_PIPELINE_STAGE_LATE_FRAGMENT_TESTS_BIT = 0x00000200, VK_PIPELINE_STAGE_COLOR_ATTACHMENT_OUTPUT_BIT = 0x00000400, VK_PIPELINE_STAGE_COMPUTE_SHADER_BIT = 0x00000800, VK_PIPELINE_STAGE_TRANSFER_BIT = 0x00001000, VK_PIPELINE_STAGE_BOTTOM_OF_PIPE_BIT = 0x00002000, VK_PIPELINE_STAGE_HOST_BIT = 0x00004000, VK_PIPELINE_STAGE_ALL_GRAPHICS_BIT = 0x00008000, VK_PIPELINE_STAGE_ALL_COMMANDS_BIT = 0x00010000, VK_PIPELINE_STAGE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_PIPELINE_STAGE_TOP_OF_PIPE_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_TOP_OF_PIPE_BIT; enum VK_PIPELINE_STAGE_DRAW_INDIRECT_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_DRAW_INDIRECT_BIT; enum VK_PIPELINE_STAGE_VERTEX_INPUT_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_VERTEX_INPUT_BIT; enum VK_PIPELINE_STAGE_VERTEX_SHADER_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_VERTEX_SHADER_BIT; enum VK_PIPELINE_STAGE_TESSELLATION_CONTROL_SHADER_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_TESSELLATION_CONTROL_SHADER_BIT; enum VK_PIPELINE_STAGE_TESSELLATION_EVALUATION_SHADER_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_TESSELLATION_EVALUATION_SHADER_BIT; enum VK_PIPELINE_STAGE_GEOMETRY_SHADER_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_GEOMETRY_SHADER_BIT; enum VK_PIPELINE_STAGE_FRAGMENT_SHADER_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_FRAGMENT_SHADER_BIT; enum VK_PIPELINE_STAGE_EARLY_FRAGMENT_TESTS_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_EARLY_FRAGMENT_TESTS_BIT; enum VK_PIPELINE_STAGE_LATE_FRAGMENT_TESTS_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_LATE_FRAGMENT_TESTS_BIT; enum VK_PIPELINE_STAGE_COLOR_ATTACHMENT_OUTPUT_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_COLOR_ATTACHMENT_OUTPUT_BIT; enum VK_PIPELINE_STAGE_COMPUTE_SHADER_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_COMPUTE_SHADER_BIT; enum VK_PIPELINE_STAGE_TRANSFER_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_TRANSFER_BIT; enum VK_PIPELINE_STAGE_BOTTOM_OF_PIPE_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_BOTTOM_OF_PIPE_BIT; enum VK_PIPELINE_STAGE_HOST_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_HOST_BIT; enum VK_PIPELINE_STAGE_ALL_GRAPHICS_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_ALL_GRAPHICS_BIT; enum VK_PIPELINE_STAGE_ALL_COMMANDS_BIT = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_ALL_COMMANDS_BIT; enum VK_PIPELINE_STAGE_FLAG_BITS_MAX_ENUM = VkPipelineStageFlagBits.VK_PIPELINE_STAGE_FLAG_BITS_MAX_ENUM; } alias VkPipelineStageFlags = VkFlags; alias VkMemoryMapFlags = VkFlags; enum VkImageAspectFlagBits { VK_IMAGE_ASPECT_COLOR_BIT = 0x00000001, VK_IMAGE_ASPECT_DEPTH_BIT = 0x00000002, VK_IMAGE_ASPECT_STENCIL_BIT = 0x00000004, VK_IMAGE_ASPECT_METADATA_BIT = 0x00000008, VK_IMAGE_ASPECT_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_IMAGE_ASPECT_COLOR_BIT = VkImageAspectFlagBits.VK_IMAGE_ASPECT_COLOR_BIT; enum VK_IMAGE_ASPECT_DEPTH_BIT = VkImageAspectFlagBits.VK_IMAGE_ASPECT_DEPTH_BIT; enum VK_IMAGE_ASPECT_STENCIL_BIT = VkImageAspectFlagBits.VK_IMAGE_ASPECT_STENCIL_BIT; enum VK_IMAGE_ASPECT_METADATA_BIT = VkImageAspectFlagBits.VK_IMAGE_ASPECT_METADATA_BIT; enum VK_IMAGE_ASPECT_FLAG_BITS_MAX_ENUM = VkImageAspectFlagBits.VK_IMAGE_ASPECT_FLAG_BITS_MAX_ENUM; } alias VkImageAspectFlags = VkFlags; enum VkSparseImageFormatFlagBits { VK_SPARSE_IMAGE_FORMAT_SINGLE_MIPTAIL_BIT = 0x00000001, VK_SPARSE_IMAGE_FORMAT_ALIGNED_MIP_SIZE_BIT = 0x00000002, VK_SPARSE_IMAGE_FORMAT_NONSTANDARD_BLOCK_SIZE_BIT = 0x00000004, VK_SPARSE_IMAGE_FORMAT_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SPARSE_IMAGE_FORMAT_SINGLE_MIPTAIL_BIT = VkSparseImageFormatFlagBits.VK_SPARSE_IMAGE_FORMAT_SINGLE_MIPTAIL_BIT; enum VK_SPARSE_IMAGE_FORMAT_ALIGNED_MIP_SIZE_BIT = VkSparseImageFormatFlagBits.VK_SPARSE_IMAGE_FORMAT_ALIGNED_MIP_SIZE_BIT; enum VK_SPARSE_IMAGE_FORMAT_NONSTANDARD_BLOCK_SIZE_BIT = VkSparseImageFormatFlagBits.VK_SPARSE_IMAGE_FORMAT_NONSTANDARD_BLOCK_SIZE_BIT; enum VK_SPARSE_IMAGE_FORMAT_FLAG_BITS_MAX_ENUM = VkSparseImageFormatFlagBits.VK_SPARSE_IMAGE_FORMAT_FLAG_BITS_MAX_ENUM; } alias VkSparseImageFormatFlags = VkFlags; enum VkSparseMemoryBindFlagBits { VK_SPARSE_MEMORY_BIND_METADATA_BIT = 0x00000001, VK_SPARSE_MEMORY_BIND_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SPARSE_MEMORY_BIND_METADATA_BIT = VkSparseMemoryBindFlagBits.VK_SPARSE_MEMORY_BIND_METADATA_BIT; enum VK_SPARSE_MEMORY_BIND_FLAG_BITS_MAX_ENUM = VkSparseMemoryBindFlagBits.VK_SPARSE_MEMORY_BIND_FLAG_BITS_MAX_ENUM; } alias VkSparseMemoryBindFlags = VkFlags; enum VkFenceCreateFlagBits { VK_FENCE_CREATE_SIGNALED_BIT = 0x00000001, VK_FENCE_CREATE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_FENCE_CREATE_SIGNALED_BIT = VkFenceCreateFlagBits.VK_FENCE_CREATE_SIGNALED_BIT; enum VK_FENCE_CREATE_FLAG_BITS_MAX_ENUM = VkFenceCreateFlagBits.VK_FENCE_CREATE_FLAG_BITS_MAX_ENUM; } alias VkFenceCreateFlags = VkFlags; alias VkSemaphoreCreateFlags = VkFlags; alias VkEventCreateFlags = VkFlags; alias VkQueryPoolCreateFlags = VkFlags; enum VkQueryPipelineStatisticFlagBits { VK_QUERY_PIPELINE_STATISTIC_INPUT_ASSEMBLY_VERTICES_BIT = 0x00000001, VK_QUERY_PIPELINE_STATISTIC_INPUT_ASSEMBLY_PRIMITIVES_BIT = 0x00000002, VK_QUERY_PIPELINE_STATISTIC_VERTEX_SHADER_INVOCATIONS_BIT = 0x00000004, VK_QUERY_PIPELINE_STATISTIC_GEOMETRY_SHADER_INVOCATIONS_BIT = 0x00000008, VK_QUERY_PIPELINE_STATISTIC_GEOMETRY_SHADER_PRIMITIVES_BIT = 0x00000010, VK_QUERY_PIPELINE_STATISTIC_CLIPPING_INVOCATIONS_BIT = 0x00000020, VK_QUERY_PIPELINE_STATISTIC_CLIPPING_PRIMITIVES_BIT = 0x00000040, VK_QUERY_PIPELINE_STATISTIC_FRAGMENT_SHADER_INVOCATIONS_BIT = 0x00000080, VK_QUERY_PIPELINE_STATISTIC_TESSELLATION_CONTROL_SHADER_PATCHES_BIT = 0x00000100, VK_QUERY_PIPELINE_STATISTIC_TESSELLATION_EVALUATION_SHADER_INVOCATIONS_BIT = 0x00000200, VK_QUERY_PIPELINE_STATISTIC_COMPUTE_SHADER_INVOCATIONS_BIT = 0x00000400, VK_QUERY_PIPELINE_STATISTIC_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_QUERY_PIPELINE_STATISTIC_INPUT_ASSEMBLY_VERTICES_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_INPUT_ASSEMBLY_VERTICES_BIT; enum VK_QUERY_PIPELINE_STATISTIC_INPUT_ASSEMBLY_PRIMITIVES_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_INPUT_ASSEMBLY_PRIMITIVES_BIT; enum VK_QUERY_PIPELINE_STATISTIC_VERTEX_SHADER_INVOCATIONS_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_VERTEX_SHADER_INVOCATIONS_BIT; enum VK_QUERY_PIPELINE_STATISTIC_GEOMETRY_SHADER_INVOCATIONS_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_GEOMETRY_SHADER_INVOCATIONS_BIT; enum VK_QUERY_PIPELINE_STATISTIC_GEOMETRY_SHADER_PRIMITIVES_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_GEOMETRY_SHADER_PRIMITIVES_BIT; enum VK_QUERY_PIPELINE_STATISTIC_CLIPPING_INVOCATIONS_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_CLIPPING_INVOCATIONS_BIT; enum VK_QUERY_PIPELINE_STATISTIC_CLIPPING_PRIMITIVES_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_CLIPPING_PRIMITIVES_BIT; enum VK_QUERY_PIPELINE_STATISTIC_FRAGMENT_SHADER_INVOCATIONS_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_FRAGMENT_SHADER_INVOCATIONS_BIT; enum VK_QUERY_PIPELINE_STATISTIC_TESSELLATION_CONTROL_SHADER_PATCHES_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_TESSELLATION_CONTROL_SHADER_PATCHES_BIT; enum VK_QUERY_PIPELINE_STATISTIC_TESSELLATION_EVALUATION_SHADER_INVOCATIONS_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_TESSELLATION_EVALUATION_SHADER_INVOCATIONS_BIT; enum VK_QUERY_PIPELINE_STATISTIC_COMPUTE_SHADER_INVOCATIONS_BIT = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_COMPUTE_SHADER_INVOCATIONS_BIT; enum VK_QUERY_PIPELINE_STATISTIC_FLAG_BITS_MAX_ENUM = VkQueryPipelineStatisticFlagBits.VK_QUERY_PIPELINE_STATISTIC_FLAG_BITS_MAX_ENUM; } alias VkQueryPipelineStatisticFlags = VkFlags; enum VkQueryResultFlagBits { VK_QUERY_RESULT_64_BIT = 0x00000001, VK_QUERY_RESULT_WAIT_BIT = 0x00000002, VK_QUERY_RESULT_WITH_AVAILABILITY_BIT = 0x00000004, VK_QUERY_RESULT_PARTIAL_BIT = 0x00000008, VK_QUERY_RESULT_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_QUERY_RESULT_64_BIT = VkQueryResultFlagBits.VK_QUERY_RESULT_64_BIT; enum VK_QUERY_RESULT_WAIT_BIT = VkQueryResultFlagBits.VK_QUERY_RESULT_WAIT_BIT; enum VK_QUERY_RESULT_WITH_AVAILABILITY_BIT = VkQueryResultFlagBits.VK_QUERY_RESULT_WITH_AVAILABILITY_BIT; enum VK_QUERY_RESULT_PARTIAL_BIT = VkQueryResultFlagBits.VK_QUERY_RESULT_PARTIAL_BIT; enum VK_QUERY_RESULT_FLAG_BITS_MAX_ENUM = VkQueryResultFlagBits.VK_QUERY_RESULT_FLAG_BITS_MAX_ENUM; } alias VkQueryResultFlags = VkFlags; enum VkBufferCreateFlagBits { VK_BUFFER_CREATE_SPARSE_BINDING_BIT = 0x00000001, VK_BUFFER_CREATE_SPARSE_RESIDENCY_BIT = 0x00000002, VK_BUFFER_CREATE_SPARSE_ALIASED_BIT = 0x00000004, VK_BUFFER_CREATE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_BUFFER_CREATE_SPARSE_BINDING_BIT = VkBufferCreateFlagBits.VK_BUFFER_CREATE_SPARSE_BINDING_BIT; enum VK_BUFFER_CREATE_SPARSE_RESIDENCY_BIT = VkBufferCreateFlagBits.VK_BUFFER_CREATE_SPARSE_RESIDENCY_BIT; enum VK_BUFFER_CREATE_SPARSE_ALIASED_BIT = VkBufferCreateFlagBits.VK_BUFFER_CREATE_SPARSE_ALIASED_BIT; enum VK_BUFFER_CREATE_FLAG_BITS_MAX_ENUM = VkBufferCreateFlagBits.VK_BUFFER_CREATE_FLAG_BITS_MAX_ENUM; } alias VkBufferCreateFlags = VkFlags; enum VkBufferUsageFlagBits { VK_BUFFER_USAGE_TRANSFER_SRC_BIT = 0x00000001, VK_BUFFER_USAGE_TRANSFER_DST_BIT = 0x00000002, VK_BUFFER_USAGE_UNIFORM_TEXEL_BUFFER_BIT = 0x00000004, VK_BUFFER_USAGE_STORAGE_TEXEL_BUFFER_BIT = 0x00000008, VK_BUFFER_USAGE_UNIFORM_BUFFER_BIT = 0x00000010, VK_BUFFER_USAGE_STORAGE_BUFFER_BIT = 0x00000020, VK_BUFFER_USAGE_INDEX_BUFFER_BIT = 0x00000040, VK_BUFFER_USAGE_VERTEX_BUFFER_BIT = 0x00000080, VK_BUFFER_USAGE_INDIRECT_BUFFER_BIT = 0x00000100, VK_BUFFER_USAGE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_BUFFER_USAGE_TRANSFER_SRC_BIT = VkBufferUsageFlagBits.VK_BUFFER_USAGE_TRANSFER_SRC_BIT; enum VK_BUFFER_USAGE_TRANSFER_DST_BIT = VkBufferUsageFlagBits.VK_BUFFER_USAGE_TRANSFER_DST_BIT; enum VK_BUFFER_USAGE_UNIFORM_TEXEL_BUFFER_BIT = VkBufferUsageFlagBits.VK_BUFFER_USAGE_UNIFORM_TEXEL_BUFFER_BIT; enum VK_BUFFER_USAGE_STORAGE_TEXEL_BUFFER_BIT = VkBufferUsageFlagBits.VK_BUFFER_USAGE_STORAGE_TEXEL_BUFFER_BIT; enum VK_BUFFER_USAGE_UNIFORM_BUFFER_BIT = VkBufferUsageFlagBits.VK_BUFFER_USAGE_UNIFORM_BUFFER_BIT; enum VK_BUFFER_USAGE_STORAGE_BUFFER_BIT = VkBufferUsageFlagBits.VK_BUFFER_USAGE_STORAGE_BUFFER_BIT; enum VK_BUFFER_USAGE_INDEX_BUFFER_BIT = VkBufferUsageFlagBits.VK_BUFFER_USAGE_INDEX_BUFFER_BIT; enum VK_BUFFER_USAGE_VERTEX_BUFFER_BIT = VkBufferUsageFlagBits.VK_BUFFER_USAGE_VERTEX_BUFFER_BIT; enum VK_BUFFER_USAGE_INDIRECT_BUFFER_BIT = VkBufferUsageFlagBits.VK_BUFFER_USAGE_INDIRECT_BUFFER_BIT; enum VK_BUFFER_USAGE_FLAG_BITS_MAX_ENUM = VkBufferUsageFlagBits.VK_BUFFER_USAGE_FLAG_BITS_MAX_ENUM; } alias VkBufferUsageFlags = VkFlags; alias VkBufferViewCreateFlags = VkFlags; alias VkImageViewCreateFlags = VkFlags; alias VkShaderModuleCreateFlags = VkFlags; alias VkPipelineCacheCreateFlags = VkFlags; enum VkPipelineCreateFlagBits { VK_PIPELINE_CREATE_DISABLE_OPTIMIZATION_BIT = 0x00000001, VK_PIPELINE_CREATE_ALLOW_DERIVATIVES_BIT = 0x00000002, VK_PIPELINE_CREATE_DERIVATIVE_BIT = 0x00000004, VK_PIPELINE_CREATE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_PIPELINE_CREATE_DISABLE_OPTIMIZATION_BIT = VkPipelineCreateFlagBits.VK_PIPELINE_CREATE_DISABLE_OPTIMIZATION_BIT; enum VK_PIPELINE_CREATE_ALLOW_DERIVATIVES_BIT = VkPipelineCreateFlagBits.VK_PIPELINE_CREATE_ALLOW_DERIVATIVES_BIT; enum VK_PIPELINE_CREATE_DERIVATIVE_BIT = VkPipelineCreateFlagBits.VK_PIPELINE_CREATE_DERIVATIVE_BIT; enum VK_PIPELINE_CREATE_FLAG_BITS_MAX_ENUM = VkPipelineCreateFlagBits.VK_PIPELINE_CREATE_FLAG_BITS_MAX_ENUM; } alias VkPipelineCreateFlags = VkFlags; alias VkPipelineShaderStageCreateFlags = VkFlags; enum VkShaderStageFlagBits { VK_SHADER_STAGE_VERTEX_BIT = 0x00000001, VK_SHADER_STAGE_TESSELLATION_CONTROL_BIT = 0x00000002, VK_SHADER_STAGE_TESSELLATION_EVALUATION_BIT = 0x00000004, VK_SHADER_STAGE_GEOMETRY_BIT = 0x00000008, VK_SHADER_STAGE_FRAGMENT_BIT = 0x00000010, VK_SHADER_STAGE_COMPUTE_BIT = 0x00000020, VK_SHADER_STAGE_ALL_GRAPHICS = 0x0000001F, VK_SHADER_STAGE_ALL = 0x7FFFFFFF, VK_SHADER_STAGE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SHADER_STAGE_VERTEX_BIT = VkShaderStageFlagBits.VK_SHADER_STAGE_VERTEX_BIT; enum VK_SHADER_STAGE_TESSELLATION_CONTROL_BIT = VkShaderStageFlagBits.VK_SHADER_STAGE_TESSELLATION_CONTROL_BIT; enum VK_SHADER_STAGE_TESSELLATION_EVALUATION_BIT = VkShaderStageFlagBits.VK_SHADER_STAGE_TESSELLATION_EVALUATION_BIT; enum VK_SHADER_STAGE_GEOMETRY_BIT = VkShaderStageFlagBits.VK_SHADER_STAGE_GEOMETRY_BIT; enum VK_SHADER_STAGE_FRAGMENT_BIT = VkShaderStageFlagBits.VK_SHADER_STAGE_FRAGMENT_BIT; enum VK_SHADER_STAGE_COMPUTE_BIT = VkShaderStageFlagBits.VK_SHADER_STAGE_COMPUTE_BIT; enum VK_SHADER_STAGE_ALL_GRAPHICS = VkShaderStageFlagBits.VK_SHADER_STAGE_ALL_GRAPHICS; enum VK_SHADER_STAGE_ALL = VkShaderStageFlagBits.VK_SHADER_STAGE_ALL; enum VK_SHADER_STAGE_FLAG_BITS_MAX_ENUM = VkShaderStageFlagBits.VK_SHADER_STAGE_FLAG_BITS_MAX_ENUM; } alias VkPipelineVertexInputStateCreateFlags = VkFlags; alias VkPipelineInputAssemblyStateCreateFlags = VkFlags; alias VkPipelineTessellationStateCreateFlags = VkFlags; alias VkPipelineViewportStateCreateFlags = VkFlags; alias VkPipelineRasterizationStateCreateFlags = VkFlags; enum VkCullModeFlagBits { VK_CULL_MODE_NONE = 0, VK_CULL_MODE_FRONT_BIT = 0x00000001, VK_CULL_MODE_BACK_BIT = 0x00000002, VK_CULL_MODE_FRONT_AND_BACK = 0x00000003, VK_CULL_MODE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_CULL_MODE_NONE = VkCullModeFlagBits.VK_CULL_MODE_NONE; enum VK_CULL_MODE_FRONT_BIT = VkCullModeFlagBits.VK_CULL_MODE_FRONT_BIT; enum VK_CULL_MODE_BACK_BIT = VkCullModeFlagBits.VK_CULL_MODE_BACK_BIT; enum VK_CULL_MODE_FRONT_AND_BACK = VkCullModeFlagBits.VK_CULL_MODE_FRONT_AND_BACK; enum VK_CULL_MODE_FLAG_BITS_MAX_ENUM = VkCullModeFlagBits.VK_CULL_MODE_FLAG_BITS_MAX_ENUM; } alias VkCullModeFlags = VkFlags; alias VkPipelineMultisampleStateCreateFlags = VkFlags; alias VkPipelineDepthStencilStateCreateFlags = VkFlags; alias VkPipelineColorBlendStateCreateFlags = VkFlags; enum VkColorComponentFlagBits { VK_COLOR_COMPONENT_R_BIT = 0x00000001, VK_COLOR_COMPONENT_G_BIT = 0x00000002, VK_COLOR_COMPONENT_B_BIT = 0x00000004, VK_COLOR_COMPONENT_A_BIT = 0x00000008, VK_COLOR_COMPONENT_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_COLOR_COMPONENT_R_BIT = VkColorComponentFlagBits.VK_COLOR_COMPONENT_R_BIT; enum VK_COLOR_COMPONENT_G_BIT = VkColorComponentFlagBits.VK_COLOR_COMPONENT_G_BIT; enum VK_COLOR_COMPONENT_B_BIT = VkColorComponentFlagBits.VK_COLOR_COMPONENT_B_BIT; enum VK_COLOR_COMPONENT_A_BIT = VkColorComponentFlagBits.VK_COLOR_COMPONENT_A_BIT; enum VK_COLOR_COMPONENT_FLAG_BITS_MAX_ENUM = VkColorComponentFlagBits.VK_COLOR_COMPONENT_FLAG_BITS_MAX_ENUM; } alias VkColorComponentFlags = VkFlags; alias VkPipelineDynamicStateCreateFlags = VkFlags; alias VkPipelineLayoutCreateFlags = VkFlags; alias VkShaderStageFlags = VkFlags; alias VkSamplerCreateFlags = VkFlags; alias VkDescriptorSetLayoutCreateFlags = VkFlags; enum VkDescriptorPoolCreateFlagBits { VK_DESCRIPTOR_POOL_CREATE_FREE_DESCRIPTOR_SET_BIT = 0x00000001, VK_DESCRIPTOR_POOL_CREATE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_DESCRIPTOR_POOL_CREATE_FREE_DESCRIPTOR_SET_BIT = VkDescriptorPoolCreateFlagBits.VK_DESCRIPTOR_POOL_CREATE_FREE_DESCRIPTOR_SET_BIT; enum VK_DESCRIPTOR_POOL_CREATE_FLAG_BITS_MAX_ENUM = VkDescriptorPoolCreateFlagBits.VK_DESCRIPTOR_POOL_CREATE_FLAG_BITS_MAX_ENUM; } alias VkDescriptorPoolCreateFlags = VkFlags; alias VkDescriptorPoolResetFlags = VkFlags; alias VkFramebufferCreateFlags = VkFlags; alias VkRenderPassCreateFlags = VkFlags; enum VkAttachmentDescriptionFlagBits { VK_ATTACHMENT_DESCRIPTION_MAY_ALIAS_BIT = 0x00000001, VK_ATTACHMENT_DESCRIPTION_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_ATTACHMENT_DESCRIPTION_MAY_ALIAS_BIT = VkAttachmentDescriptionFlagBits.VK_ATTACHMENT_DESCRIPTION_MAY_ALIAS_BIT; enum VK_ATTACHMENT_DESCRIPTION_FLAG_BITS_MAX_ENUM = VkAttachmentDescriptionFlagBits.VK_ATTACHMENT_DESCRIPTION_FLAG_BITS_MAX_ENUM; } alias VkAttachmentDescriptionFlags = VkFlags; alias VkSubpassDescriptionFlags = VkFlags; enum VkAccessFlagBits { VK_ACCESS_INDIRECT_COMMAND_READ_BIT = 0x00000001, VK_ACCESS_INDEX_READ_BIT = 0x00000002, VK_ACCESS_VERTEX_ATTRIBUTE_READ_BIT = 0x00000004, VK_ACCESS_UNIFORM_READ_BIT = 0x00000008, VK_ACCESS_INPUT_ATTACHMENT_READ_BIT = 0x00000010, VK_ACCESS_SHADER_READ_BIT = 0x00000020, VK_ACCESS_SHADER_WRITE_BIT = 0x00000040, VK_ACCESS_COLOR_ATTACHMENT_READ_BIT = 0x00000080, VK_ACCESS_COLOR_ATTACHMENT_WRITE_BIT = 0x00000100, VK_ACCESS_DEPTH_STENCIL_ATTACHMENT_READ_BIT = 0x00000200, VK_ACCESS_DEPTH_STENCIL_ATTACHMENT_WRITE_BIT = 0x00000400, VK_ACCESS_TRANSFER_READ_BIT = 0x00000800, VK_ACCESS_TRANSFER_WRITE_BIT = 0x00001000, VK_ACCESS_HOST_READ_BIT = 0x00002000, VK_ACCESS_HOST_WRITE_BIT = 0x00004000, VK_ACCESS_MEMORY_READ_BIT = 0x00008000, VK_ACCESS_MEMORY_WRITE_BIT = 0x00010000, VK_ACCESS_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_ACCESS_INDIRECT_COMMAND_READ_BIT = VkAccessFlagBits.VK_ACCESS_INDIRECT_COMMAND_READ_BIT; enum VK_ACCESS_INDEX_READ_BIT = VkAccessFlagBits.VK_ACCESS_INDEX_READ_BIT; enum VK_ACCESS_VERTEX_ATTRIBUTE_READ_BIT = VkAccessFlagBits.VK_ACCESS_VERTEX_ATTRIBUTE_READ_BIT; enum VK_ACCESS_UNIFORM_READ_BIT = VkAccessFlagBits.VK_ACCESS_UNIFORM_READ_BIT; enum VK_ACCESS_INPUT_ATTACHMENT_READ_BIT = VkAccessFlagBits.VK_ACCESS_INPUT_ATTACHMENT_READ_BIT; enum VK_ACCESS_SHADER_READ_BIT = VkAccessFlagBits.VK_ACCESS_SHADER_READ_BIT; enum VK_ACCESS_SHADER_WRITE_BIT = VkAccessFlagBits.VK_ACCESS_SHADER_WRITE_BIT; enum VK_ACCESS_COLOR_ATTACHMENT_READ_BIT = VkAccessFlagBits.VK_ACCESS_COLOR_ATTACHMENT_READ_BIT; enum VK_ACCESS_COLOR_ATTACHMENT_WRITE_BIT = VkAccessFlagBits.VK_ACCESS_COLOR_ATTACHMENT_WRITE_BIT; enum VK_ACCESS_DEPTH_STENCIL_ATTACHMENT_READ_BIT = VkAccessFlagBits.VK_ACCESS_DEPTH_STENCIL_ATTACHMENT_READ_BIT; enum VK_ACCESS_DEPTH_STENCIL_ATTACHMENT_WRITE_BIT = VkAccessFlagBits.VK_ACCESS_DEPTH_STENCIL_ATTACHMENT_WRITE_BIT; enum VK_ACCESS_TRANSFER_READ_BIT = VkAccessFlagBits.VK_ACCESS_TRANSFER_READ_BIT; enum VK_ACCESS_TRANSFER_WRITE_BIT = VkAccessFlagBits.VK_ACCESS_TRANSFER_WRITE_BIT; enum VK_ACCESS_HOST_READ_BIT = VkAccessFlagBits.VK_ACCESS_HOST_READ_BIT; enum VK_ACCESS_HOST_WRITE_BIT = VkAccessFlagBits.VK_ACCESS_HOST_WRITE_BIT; enum VK_ACCESS_MEMORY_READ_BIT = VkAccessFlagBits.VK_ACCESS_MEMORY_READ_BIT; enum VK_ACCESS_MEMORY_WRITE_BIT = VkAccessFlagBits.VK_ACCESS_MEMORY_WRITE_BIT; enum VK_ACCESS_FLAG_BITS_MAX_ENUM = VkAccessFlagBits.VK_ACCESS_FLAG_BITS_MAX_ENUM; } alias VkAccessFlags = VkFlags; enum VkDependencyFlagBits { VK_DEPENDENCY_BY_REGION_BIT = 0x00000001, VK_DEPENDENCY_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_DEPENDENCY_BY_REGION_BIT = VkDependencyFlagBits.VK_DEPENDENCY_BY_REGION_BIT; enum VK_DEPENDENCY_FLAG_BITS_MAX_ENUM = VkDependencyFlagBits.VK_DEPENDENCY_FLAG_BITS_MAX_ENUM; } alias VkDependencyFlags = VkFlags; enum VkCommandPoolCreateFlagBits { VK_COMMAND_POOL_CREATE_TRANSIENT_BIT = 0x00000001, VK_COMMAND_POOL_CREATE_RESET_COMMAND_BUFFER_BIT = 0x00000002, VK_COMMAND_POOL_CREATE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_COMMAND_POOL_CREATE_TRANSIENT_BIT = VkCommandPoolCreateFlagBits.VK_COMMAND_POOL_CREATE_TRANSIENT_BIT; enum VK_COMMAND_POOL_CREATE_RESET_COMMAND_BUFFER_BIT = VkCommandPoolCreateFlagBits.VK_COMMAND_POOL_CREATE_RESET_COMMAND_BUFFER_BIT; enum VK_COMMAND_POOL_CREATE_FLAG_BITS_MAX_ENUM = VkCommandPoolCreateFlagBits.VK_COMMAND_POOL_CREATE_FLAG_BITS_MAX_ENUM; } alias VkCommandPoolCreateFlags = VkFlags; enum VkCommandPoolResetFlagBits { VK_COMMAND_POOL_RESET_RELEASE_RESOURCES_BIT = 0x00000001, VK_COMMAND_POOL_RESET_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_COMMAND_POOL_RESET_RELEASE_RESOURCES_BIT = VkCommandPoolResetFlagBits.VK_COMMAND_POOL_RESET_RELEASE_RESOURCES_BIT; enum VK_COMMAND_POOL_RESET_FLAG_BITS_MAX_ENUM = VkCommandPoolResetFlagBits.VK_COMMAND_POOL_RESET_FLAG_BITS_MAX_ENUM; } alias VkCommandPoolResetFlags = VkFlags; enum VkCommandBufferUsageFlagBits { VK_COMMAND_BUFFER_USAGE_ONE_TIME_SUBMIT_BIT = 0x00000001, VK_COMMAND_BUFFER_USAGE_RENDER_PASS_CONTINUE_BIT = 0x00000002, VK_COMMAND_BUFFER_USAGE_SIMULTANEOUS_USE_BIT = 0x00000004, VK_COMMAND_BUFFER_USAGE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_COMMAND_BUFFER_USAGE_ONE_TIME_SUBMIT_BIT = VkCommandBufferUsageFlagBits.VK_COMMAND_BUFFER_USAGE_ONE_TIME_SUBMIT_BIT; enum VK_COMMAND_BUFFER_USAGE_RENDER_PASS_CONTINUE_BIT = VkCommandBufferUsageFlagBits.VK_COMMAND_BUFFER_USAGE_RENDER_PASS_CONTINUE_BIT; enum VK_COMMAND_BUFFER_USAGE_SIMULTANEOUS_USE_BIT = VkCommandBufferUsageFlagBits.VK_COMMAND_BUFFER_USAGE_SIMULTANEOUS_USE_BIT; enum VK_COMMAND_BUFFER_USAGE_FLAG_BITS_MAX_ENUM = VkCommandBufferUsageFlagBits.VK_COMMAND_BUFFER_USAGE_FLAG_BITS_MAX_ENUM; } alias VkCommandBufferUsageFlags = VkFlags; enum VkQueryControlFlagBits { VK_QUERY_CONTROL_PRECISE_BIT = 0x00000001, VK_QUERY_CONTROL_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_QUERY_CONTROL_PRECISE_BIT = VkQueryControlFlagBits.VK_QUERY_CONTROL_PRECISE_BIT; enum VK_QUERY_CONTROL_FLAG_BITS_MAX_ENUM = VkQueryControlFlagBits.VK_QUERY_CONTROL_FLAG_BITS_MAX_ENUM; } alias VkQueryControlFlags = VkFlags; enum VkCommandBufferResetFlagBits { VK_COMMAND_BUFFER_RESET_RELEASE_RESOURCES_BIT = 0x00000001, VK_COMMAND_BUFFER_RESET_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_COMMAND_BUFFER_RESET_RELEASE_RESOURCES_BIT = VkCommandBufferResetFlagBits.VK_COMMAND_BUFFER_RESET_RELEASE_RESOURCES_BIT; enum VK_COMMAND_BUFFER_RESET_FLAG_BITS_MAX_ENUM = VkCommandBufferResetFlagBits.VK_COMMAND_BUFFER_RESET_FLAG_BITS_MAX_ENUM; } alias VkCommandBufferResetFlags = VkFlags; enum VkStencilFaceFlagBits { VK_STENCIL_FACE_FRONT_BIT = 0x00000001, VK_STENCIL_FACE_BACK_BIT = 0x00000002, VK_STENCIL_FRONT_AND_BACK = 0x00000003, VK_STENCIL_FACE_FLAG_BITS_MAX_ENUM = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_STENCIL_FACE_FRONT_BIT = VkStencilFaceFlagBits.VK_STENCIL_FACE_FRONT_BIT; enum VK_STENCIL_FACE_BACK_BIT = VkStencilFaceFlagBits.VK_STENCIL_FACE_BACK_BIT; enum VK_STENCIL_FRONT_AND_BACK = VkStencilFaceFlagBits.VK_STENCIL_FRONT_AND_BACK; enum VK_STENCIL_FACE_FLAG_BITS_MAX_ENUM = VkStencilFaceFlagBits.VK_STENCIL_FACE_FLAG_BITS_MAX_ENUM; } alias VkStencilFaceFlags = VkFlags; alias PFN_vkAllocationFunction = void* function( void* pUserData, size_t size, size_t alignment, VkSystemAllocationScope allocationScope); alias PFN_vkReallocationFunction = void* function( void* pUserData, void* pOriginal, size_t size, size_t alignment, VkSystemAllocationScope allocationScope); alias PFN_vkFreeFunction = void function( void* pUserData, void* pMemory); alias PFN_vkInternalAllocationNotification = void function( void* pUserData, size_t size, VkInternalAllocationType allocationType, VkSystemAllocationScope allocationScope); alias PFN_vkInternalFreeNotification = void function( void* pUserData, size_t size, VkInternalAllocationType allocationType, VkSystemAllocationScope allocationScope); alias PFN_vkVoidFunction = void function(); struct VkApplicationInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_APPLICATION_INFO; const(void)* pNext; const(char)* pApplicationName; uint32_t applicationVersion; const(char)* pEngineName; uint32_t engineVersion; uint32_t apiVersion; } struct VkInstanceCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_INSTANCE_CREATE_INFO; const(void)* pNext; VkInstanceCreateFlags flags; const(VkApplicationInfo)* pApplicationInfo; uint32_t enabledLayerCount; const(char*)* ppEnabledLayerNames; uint32_t enabledExtensionCount; const(char*)* ppEnabledExtensionNames; } struct VkAllocationCallbacks { void* pUserData; PFN_vkAllocationFunction pfnAllocation; PFN_vkReallocationFunction pfnReallocation; PFN_vkFreeFunction pfnFree; PFN_vkInternalAllocationNotification pfnInternalAllocation; PFN_vkInternalFreeNotification pfnInternalFree; } struct VkPhysicalDeviceFeatures { VkBool32 robustBufferAccess; VkBool32 fullDrawIndexUint32; VkBool32 imageCubeArray; VkBool32 independentBlend; VkBool32 geometryShader; VkBool32 tessellationShader; VkBool32 sampleRateShading; VkBool32 dualSrcBlend; VkBool32 logicOp; VkBool32 multiDrawIndirect; VkBool32 drawIndirectFirstInstance; VkBool32 depthClamp; VkBool32 depthBiasClamp; VkBool32 fillModeNonSolid; VkBool32 depthBounds; VkBool32 wideLines; VkBool32 largePoints; VkBool32 alphaToOne; VkBool32 multiViewport; VkBool32 samplerAnisotropy; VkBool32 textureCompressionETC2; VkBool32 textureCompressionASTC_LDR; VkBool32 textureCompressionBC; VkBool32 occlusionQueryPrecise; VkBool32 pipelineStatisticsQuery; VkBool32 vertexPipelineStoresAndAtomics; VkBool32 fragmentStoresAndAtomics; VkBool32 shaderTessellationAndGeometryPointSize; VkBool32 shaderImageGatherExtended; VkBool32 shaderStorageImageExtendedFormats; VkBool32 shaderStorageImageMultisample; VkBool32 shaderStorageImageReadWithoutFormat; VkBool32 shaderStorageImageWriteWithoutFormat; VkBool32 shaderUniformBufferArrayDynamicIndexing; VkBool32 shaderSampledImageArrayDynamicIndexing; VkBool32 shaderStorageBufferArrayDynamicIndexing; VkBool32 shaderStorageImageArrayDynamicIndexing; VkBool32 shaderClipDistance; VkBool32 shaderCullDistance; VkBool32 shaderFloat64; VkBool32 shaderInt64; VkBool32 shaderInt16; VkBool32 shaderResourceResidency; VkBool32 shaderResourceMinLod; VkBool32 sparseBinding; VkBool32 sparseResidencyBuffer; VkBool32 sparseResidencyImage2D; VkBool32 sparseResidencyImage3D; VkBool32 sparseResidency2Samples; VkBool32 sparseResidency4Samples; VkBool32 sparseResidency8Samples; VkBool32 sparseResidency16Samples; VkBool32 sparseResidencyAliased; VkBool32 variableMultisampleRate; VkBool32 inheritedQueries; } struct VkFormatProperties { VkFormatFeatureFlags linearTilingFeatures; VkFormatFeatureFlags optimalTilingFeatures; VkFormatFeatureFlags bufferFeatures; } struct VkExtent3D { uint32_t width; uint32_t height; uint32_t depth; } struct VkImageFormatProperties { VkExtent3D maxExtent; uint32_t maxMipLevels; uint32_t maxArrayLayers; VkSampleCountFlags sampleCounts; VkDeviceSize maxResourceSize; } struct VkPhysicalDeviceLimits { uint32_t maxImageDimension1D; uint32_t maxImageDimension2D; uint32_t maxImageDimension3D; uint32_t maxImageDimensionCube; uint32_t maxImageArrayLayers; uint32_t maxTexelBufferElements; uint32_t maxUniformBufferRange; uint32_t maxStorageBufferRange; uint32_t maxPushConstantsSize; uint32_t maxMemoryAllocationCount; uint32_t maxSamplerAllocationCount; VkDeviceSize bufferImageGranularity; VkDeviceSize sparseAddressSpaceSize; uint32_t maxBoundDescriptorSets; uint32_t maxPerStageDescriptorSamplers; uint32_t maxPerStageDescriptorUniformBuffers; uint32_t maxPerStageDescriptorStorageBuffers; uint32_t maxPerStageDescriptorSampledImages; uint32_t maxPerStageDescriptorStorageImages; uint32_t maxPerStageDescriptorInputAttachments; uint32_t maxPerStageResources; uint32_t maxDescriptorSetSamplers; uint32_t maxDescriptorSetUniformBuffers; uint32_t maxDescriptorSetUniformBuffersDynamic; uint32_t maxDescriptorSetStorageBuffers; uint32_t maxDescriptorSetStorageBuffersDynamic; uint32_t maxDescriptorSetSampledImages; uint32_t maxDescriptorSetStorageImages; uint32_t maxDescriptorSetInputAttachments; uint32_t maxVertexInputAttributes; uint32_t maxVertexInputBindings; uint32_t maxVertexInputAttributeOffset; uint32_t maxVertexInputBindingStride; uint32_t maxVertexOutputComponents; uint32_t maxTessellationGenerationLevel; uint32_t maxTessellationPatchSize; uint32_t maxTessellationControlPerVertexInputComponents; uint32_t maxTessellationControlPerVertexOutputComponents; uint32_t maxTessellationControlPerPatchOutputComponents; uint32_t maxTessellationControlTotalOutputComponents; uint32_t maxTessellationEvaluationInputComponents; uint32_t maxTessellationEvaluationOutputComponents; uint32_t maxGeometryShaderInvocations; uint32_t maxGeometryInputComponents; uint32_t maxGeometryOutputComponents; uint32_t maxGeometryOutputVertices; uint32_t maxGeometryTotalOutputComponents; uint32_t maxFragmentInputComponents; uint32_t maxFragmentOutputAttachments; uint32_t maxFragmentDualSrcAttachments; uint32_t maxFragmentCombinedOutputResources; uint32_t maxComputeSharedMemorySize; uint32_t[3] maxComputeWorkGroupCount; uint32_t maxComputeWorkGroupInvocations; uint32_t[3] maxComputeWorkGroupSize; uint32_t subPixelPrecisionBits; uint32_t subTexelPrecisionBits; uint32_t mipmapPrecisionBits; uint32_t maxDrawIndexedIndexValue; uint32_t maxDrawIndirectCount; float maxSamplerLodBias; float maxSamplerAnisotropy; uint32_t maxViewports; uint32_t[2] maxViewportDimensions; float[2] viewportBoundsRange; uint32_t viewportSubPixelBits; size_t minMemoryMapAlignment; VkDeviceSize minTexelBufferOffsetAlignment; VkDeviceSize minUniformBufferOffsetAlignment; VkDeviceSize minStorageBufferOffsetAlignment; int32_t minTexelOffset; uint32_t maxTexelOffset; int32_t minTexelGatherOffset; uint32_t maxTexelGatherOffset; float minInterpolationOffset; float maxInterpolationOffset; uint32_t subPixelInterpolationOffsetBits; uint32_t maxFramebufferWidth; uint32_t maxFramebufferHeight; uint32_t maxFramebufferLayers; VkSampleCountFlags framebufferColorSampleCounts; VkSampleCountFlags framebufferDepthSampleCounts; VkSampleCountFlags framebufferStencilSampleCounts; VkSampleCountFlags framebufferNoAttachmentsSampleCounts; uint32_t maxColorAttachments; VkSampleCountFlags sampledImageColorSampleCounts; VkSampleCountFlags sampledImageIntegerSampleCounts; VkSampleCountFlags sampledImageDepthSampleCounts; VkSampleCountFlags sampledImageStencilSampleCounts; VkSampleCountFlags storageImageSampleCounts; uint32_t maxSampleMaskWords; VkBool32 timestampComputeAndGraphics; float timestampPeriod; uint32_t maxClipDistances; uint32_t maxCullDistances; uint32_t maxCombinedClipAndCullDistances; uint32_t discreteQueuePriorities; float[2] pointSizeRange; float[2] lineWidthRange; float pointSizeGranularity; float lineWidthGranularity; VkBool32 strictLines; VkBool32 standardSampleLocations; VkDeviceSize optimalBufferCopyOffsetAlignment; VkDeviceSize optimalBufferCopyRowPitchAlignment; VkDeviceSize nonCoherentAtomSize; } struct VkPhysicalDeviceSparseProperties { VkBool32 residencyStandard2DBlockShape; VkBool32 residencyStandard2DMultisampleBlockShape; VkBool32 residencyStandard3DBlockShape; VkBool32 residencyAlignedMipSize; VkBool32 residencyNonResidentStrict; } struct VkPhysicalDeviceProperties { uint32_t apiVersion; uint32_t driverVersion; uint32_t vendorID; uint32_t deviceID; VkPhysicalDeviceType deviceType; char[VK_MAX_PHYSICAL_DEVICE_NAME_SIZE] deviceName; uint8_t[VK_UUID_SIZE] pipelineCacheUUID; VkPhysicalDeviceLimits limits; VkPhysicalDeviceSparseProperties sparseProperties; } struct VkQueueFamilyProperties { VkQueueFlags queueFlags; uint32_t queueCount; uint32_t timestampValidBits; VkExtent3D minImageTransferGranularity; } struct VkMemoryType { VkMemoryPropertyFlags propertyFlags; uint32_t heapIndex; } struct VkMemoryHeap { VkDeviceSize size; VkMemoryHeapFlags flags; } struct VkPhysicalDeviceMemoryProperties { uint32_t memoryTypeCount; VkMemoryType[VK_MAX_MEMORY_TYPES] memoryTypes; uint32_t memoryHeapCount; VkMemoryHeap[VK_MAX_MEMORY_HEAPS] memoryHeaps; } struct VkDeviceQueueCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DEVICE_QUEUE_CREATE_INFO; const(void)* pNext; VkDeviceQueueCreateFlags flags; uint32_t queueFamilyIndex; uint32_t queueCount; const(float)* pQueuePriorities; } struct VkDeviceCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DEVICE_CREATE_INFO; const(void)* pNext; VkDeviceCreateFlags flags; uint32_t queueCreateInfoCount; const(VkDeviceQueueCreateInfo)* pQueueCreateInfos; uint32_t enabledLayerCount; const(char*)* ppEnabledLayerNames; uint32_t enabledExtensionCount; const(char*)* ppEnabledExtensionNames; const(VkPhysicalDeviceFeatures)* pEnabledFeatures; } struct VkExtensionProperties { char[VK_MAX_EXTENSION_NAME_SIZE] extensionName; uint32_t specVersion; } struct VkLayerProperties { char[VK_MAX_EXTENSION_NAME_SIZE] layerName; uint32_t specVersion; uint32_t implementationVersion; char[VK_MAX_DESCRIPTION_SIZE] description; } struct VkSubmitInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_SUBMIT_INFO; const(void)* pNext; uint32_t waitSemaphoreCount; const(VkSemaphore)* pWaitSemaphores; const(VkPipelineStageFlags)* pWaitDstStageMask; uint32_t commandBufferCount; const(VkCommandBuffer)* pCommandBuffers; uint32_t signalSemaphoreCount; const(VkSemaphore)* pSignalSemaphores; } struct VkMemoryAllocateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_MEMORY_ALLOCATE_INFO; const(void)* pNext; VkDeviceSize allocationSize; uint32_t memoryTypeIndex; } struct VkMappedMemoryRange { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_MAPPED_MEMORY_RANGE; const(void)* pNext; VkDeviceMemory memory; VkDeviceSize offset; VkDeviceSize size; } struct VkMemoryRequirements { VkDeviceSize size; VkDeviceSize alignment; uint32_t memoryTypeBits; } struct VkSparseImageFormatProperties { VkImageAspectFlags aspectMask; VkExtent3D imageGranularity; VkSparseImageFormatFlags flags; } struct VkSparseImageMemoryRequirements { VkSparseImageFormatProperties formatProperties; uint32_t imageMipTailFirstLod; VkDeviceSize imageMipTailSize; VkDeviceSize imageMipTailOffset; VkDeviceSize imageMipTailStride; } struct VkSparseMemoryBind { VkDeviceSize resourceOffset; VkDeviceSize size; VkDeviceMemory memory; VkDeviceSize memoryOffset; VkSparseMemoryBindFlags flags; } struct VkSparseBufferMemoryBindInfo { VkBuffer buffer; uint32_t bindCount; const(VkSparseMemoryBind)* pBinds; } struct VkSparseImageOpaqueMemoryBindInfo { VkImage image; uint32_t bindCount; const(VkSparseMemoryBind)* pBinds; } struct VkImageSubresource { VkImageAspectFlags aspectMask; uint32_t mipLevel; uint32_t arrayLayer; } struct VkOffset3D { int32_t x; int32_t y; int32_t z; } struct VkSparseImageMemoryBind { VkImageSubresource subresource; VkOffset3D offset; VkExtent3D extent; VkDeviceMemory memory; VkDeviceSize memoryOffset; VkSparseMemoryBindFlags flags; } struct VkSparseImageMemoryBindInfo { VkImage image; uint32_t bindCount; const(VkSparseImageMemoryBind)* pBinds; } struct VkBindSparseInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_BIND_SPARSE_INFO; const(void)* pNext; uint32_t waitSemaphoreCount; const(VkSemaphore)* pWaitSemaphores; uint32_t bufferBindCount; const(VkSparseBufferMemoryBindInfo)* pBufferBinds; uint32_t imageOpaqueBindCount; const(VkSparseImageOpaqueMemoryBindInfo)* pImageOpaqueBinds; uint32_t imageBindCount; const(VkSparseImageMemoryBindInfo)* pImageBinds; uint32_t signalSemaphoreCount; const(VkSemaphore)* pSignalSemaphores; } struct VkFenceCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_FENCE_CREATE_INFO; const(void)* pNext; VkFenceCreateFlags flags; } struct VkSemaphoreCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_SEMAPHORE_CREATE_INFO; const(void)* pNext; VkSemaphoreCreateFlags flags; } struct VkEventCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_EVENT_CREATE_INFO; const(void)* pNext; VkEventCreateFlags flags; } struct VkQueryPoolCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_QUERY_POOL_CREATE_INFO; const(void)* pNext; VkQueryPoolCreateFlags flags; VkQueryType queryType; uint32_t queryCount; VkQueryPipelineStatisticFlags pipelineStatistics; } struct VkBufferCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_BUFFER_CREATE_INFO; const(void)* pNext; VkBufferCreateFlags flags; VkDeviceSize size; VkBufferUsageFlags usage; VkSharingMode sharingMode; uint32_t queueFamilyIndexCount; const(uint32_t)* pQueueFamilyIndices; } struct VkBufferViewCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_BUFFER_VIEW_CREATE_INFO; const(void)* pNext; VkBufferViewCreateFlags flags; VkBuffer buffer; VkFormat format; VkDeviceSize offset; VkDeviceSize range; } struct VkImageCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO; const(void)* pNext; VkImageCreateFlags flags; VkImageType imageType; VkFormat format; VkExtent3D extent; uint32_t mipLevels; uint32_t arrayLayers; VkSampleCountFlagBits samples; VkImageTiling tiling; VkImageUsageFlags usage; VkSharingMode sharingMode; uint32_t queueFamilyIndexCount; const(uint32_t)* pQueueFamilyIndices; VkImageLayout initialLayout; } struct VkSubresourceLayout { VkDeviceSize offset; VkDeviceSize size; VkDeviceSize rowPitch; VkDeviceSize arrayPitch; VkDeviceSize depthPitch; } struct VkComponentMapping { VkComponentSwizzle r; VkComponentSwizzle g; VkComponentSwizzle b; VkComponentSwizzle a; } struct VkImageSubresourceRange { VkImageAspectFlags aspectMask; uint32_t baseMipLevel; uint32_t levelCount; uint32_t baseArrayLayer; uint32_t layerCount; } struct VkImageViewCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO; const(void)* pNext; VkImageViewCreateFlags flags; VkImage image; VkImageViewType viewType; VkFormat format; VkComponentMapping components; VkImageSubresourceRange subresourceRange; } struct VkShaderModuleCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_SHADER_MODULE_CREATE_INFO; const(void)* pNext; VkShaderModuleCreateFlags flags; size_t codeSize; const(uint32_t)* pCode; } struct VkPipelineCacheCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_CACHE_CREATE_INFO; const(void)* pNext; VkPipelineCacheCreateFlags flags; size_t initialDataSize; const(void)* pInitialData; } struct VkSpecializationMapEntry { uint32_t constantID; uint32_t offset; size_t size; } struct VkSpecializationInfo { uint32_t mapEntryCount; const(VkSpecializationMapEntry)* pMapEntries; size_t dataSize; const(void)* pData; } struct VkPipelineShaderStageCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_SHADER_STAGE_CREATE_INFO; const(void)* pNext; VkPipelineShaderStageCreateFlags flags; VkShaderStageFlagBits stage; VkShaderModule _module; const(char)* pName; const(VkSpecializationInfo)* pSpecializationInfo; } struct VkVertexInputBindingDescription { uint32_t binding; uint32_t stride; VkVertexInputRate inputRate; } struct VkVertexInputAttributeDescription { uint32_t location; uint32_t binding; VkFormat format; uint32_t offset; } struct VkPipelineVertexInputStateCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_VERTEX_INPUT_STATE_CREATE_INFO; const(void)* pNext; VkPipelineVertexInputStateCreateFlags flags; uint32_t vertexBindingDescriptionCount; const(VkVertexInputBindingDescription)* pVertexBindingDescriptions; uint32_t vertexAttributeDescriptionCount; const(VkVertexInputAttributeDescription)* pVertexAttributeDescriptions; } struct VkPipelineInputAssemblyStateCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_INPUT_ASSEMBLY_STATE_CREATE_INFO; const(void)* pNext; VkPipelineInputAssemblyStateCreateFlags flags; VkPrimitiveTopology topology; VkBool32 primitiveRestartEnable; } struct VkPipelineTessellationStateCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_TESSELLATION_STATE_CREATE_INFO; const(void)* pNext; VkPipelineTessellationStateCreateFlags flags; uint32_t patchControlPoints; } struct VkViewport { float x; float y; float width; float height; float minDepth; float maxDepth; } struct VkOffset2D { int32_t x; int32_t y; } struct VkExtent2D { uint32_t width; uint32_t height; } struct VkRect2D { VkOffset2D offset; VkExtent2D extent; } struct VkPipelineViewportStateCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_STATE_CREATE_INFO; const(void)* pNext; VkPipelineViewportStateCreateFlags flags; uint32_t viewportCount; const(VkViewport)* pViewports; uint32_t scissorCount; const(VkRect2D)* pScissors; } struct VkPipelineRasterizationStateCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_CREATE_INFO; const(void)* pNext; VkPipelineRasterizationStateCreateFlags flags; VkBool32 depthClampEnable; VkBool32 rasterizerDiscardEnable; VkPolygonMode polygonMode; VkCullModeFlags cullMode; VkFrontFace frontFace; VkBool32 depthBiasEnable; float depthBiasConstantFactor; float depthBiasClamp; float depthBiasSlopeFactor; float lineWidth; } struct VkPipelineMultisampleStateCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_MULTISAMPLE_STATE_CREATE_INFO; const(void)* pNext; VkPipelineMultisampleStateCreateFlags flags; VkSampleCountFlagBits rasterizationSamples; VkBool32 sampleShadingEnable; float minSampleShading; const(VkSampleMask)* pSampleMask; VkBool32 alphaToCoverageEnable; VkBool32 alphaToOneEnable; } struct VkStencilOpState { VkStencilOp failOp; VkStencilOp passOp; VkStencilOp depthFailOp; VkCompareOp compareOp; uint32_t compareMask; uint32_t writeMask; uint32_t reference; } struct VkPipelineDepthStencilStateCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_DEPTH_STENCIL_STATE_CREATE_INFO; const(void)* pNext; VkPipelineDepthStencilStateCreateFlags flags; VkBool32 depthTestEnable; VkBool32 depthWriteEnable; VkCompareOp depthCompareOp; VkBool32 depthBoundsTestEnable; VkBool32 stencilTestEnable; VkStencilOpState front; VkStencilOpState back; float minDepthBounds; float maxDepthBounds; } struct VkPipelineColorBlendAttachmentState { VkBool32 blendEnable; VkBlendFactor srcColorBlendFactor; VkBlendFactor dstColorBlendFactor; VkBlendOp colorBlendOp; VkBlendFactor srcAlphaBlendFactor; VkBlendFactor dstAlphaBlendFactor; VkBlendOp alphaBlendOp; VkColorComponentFlags colorWriteMask; } struct VkPipelineColorBlendStateCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_COLOR_BLEND_STATE_CREATE_INFO; const(void)* pNext; VkPipelineColorBlendStateCreateFlags flags; VkBool32 logicOpEnable; VkLogicOp logicOp; uint32_t attachmentCount; const(VkPipelineColorBlendAttachmentState)* pAttachments; float[4] blendConstants; } struct VkPipelineDynamicStateCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_DYNAMIC_STATE_CREATE_INFO; const(void)* pNext; VkPipelineDynamicStateCreateFlags flags; uint32_t dynamicStateCount; const(VkDynamicState)* pDynamicStates; } struct VkGraphicsPipelineCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_GRAPHICS_PIPELINE_CREATE_INFO; const(void)* pNext; VkPipelineCreateFlags flags; uint32_t stageCount; const(VkPipelineShaderStageCreateInfo)* pStages; const(VkPipelineVertexInputStateCreateInfo)* pVertexInputState; const(VkPipelineInputAssemblyStateCreateInfo)* pInputAssemblyState; const(VkPipelineTessellationStateCreateInfo)* pTessellationState; const(VkPipelineViewportStateCreateInfo)* pViewportState; const(VkPipelineRasterizationStateCreateInfo)* pRasterizationState; const(VkPipelineMultisampleStateCreateInfo)* pMultisampleState; const(VkPipelineDepthStencilStateCreateInfo)* pDepthStencilState; const(VkPipelineColorBlendStateCreateInfo)* pColorBlendState; const(VkPipelineDynamicStateCreateInfo)* pDynamicState; VkPipelineLayout layout; VkRenderPass renderPass; uint32_t subpass; VkPipeline basePipelineHandle; int32_t basePipelineIndex; } struct VkComputePipelineCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_COMPUTE_PIPELINE_CREATE_INFO; const(void)* pNext; VkPipelineCreateFlags flags; VkPipelineShaderStageCreateInfo stage; VkPipelineLayout layout; VkPipeline basePipelineHandle; int32_t basePipelineIndex; } struct VkPushConstantRange { VkShaderStageFlags stageFlags; uint32_t offset; uint32_t size; } struct VkPipelineLayoutCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_LAYOUT_CREATE_INFO; const(void)* pNext; VkPipelineLayoutCreateFlags flags; uint32_t setLayoutCount; const(VkDescriptorSetLayout)* pSetLayouts; uint32_t pushConstantRangeCount; const(VkPushConstantRange)* pPushConstantRanges; } struct VkSamplerCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_SAMPLER_CREATE_INFO; const(void)* pNext; VkSamplerCreateFlags flags; VkFilter magFilter; VkFilter minFilter; VkSamplerMipmapMode mipmapMode; VkSamplerAddressMode addressModeU; VkSamplerAddressMode addressModeV; VkSamplerAddressMode addressModeW; float mipLodBias; VkBool32 anisotropyEnable; float maxAnisotropy; VkBool32 compareEnable; VkCompareOp compareOp; float minLod; float maxLod; VkBorderColor borderColor; VkBool32 unnormalizedCoordinates; } struct VkDescriptorSetLayoutBinding { uint32_t binding; VkDescriptorType descriptorType; uint32_t descriptorCount; VkShaderStageFlags stageFlags; const(VkSampler)* pImmutableSamplers; } struct VkDescriptorSetLayoutCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_CREATE_INFO; const(void)* pNext; VkDescriptorSetLayoutCreateFlags flags; uint32_t bindingCount; const(VkDescriptorSetLayoutBinding)* pBindings; } struct VkDescriptorPoolSize { VkDescriptorType type; uint32_t descriptorCount; } struct VkDescriptorPoolCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DESCRIPTOR_POOL_CREATE_INFO; const(void)* pNext; VkDescriptorPoolCreateFlags flags; uint32_t maxSets; uint32_t poolSizeCount; const(VkDescriptorPoolSize)* pPoolSizes; } struct VkDescriptorSetAllocateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DESCRIPTOR_SET_ALLOCATE_INFO; const(void)* pNext; VkDescriptorPool descriptorPool; uint32_t descriptorSetCount; const(VkDescriptorSetLayout)* pSetLayouts; } struct VkDescriptorImageInfo { VkSampler sampler; VkImageView imageView; VkImageLayout imageLayout; } struct VkDescriptorBufferInfo { VkBuffer buffer; VkDeviceSize offset; VkDeviceSize range; } struct VkWriteDescriptorSet { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET; const(void)* pNext; VkDescriptorSet dstSet; uint32_t dstBinding; uint32_t dstArrayElement; uint32_t descriptorCount; VkDescriptorType descriptorType; const(VkDescriptorImageInfo)* pImageInfo; const(VkDescriptorBufferInfo)* pBufferInfo; const(VkBufferView)* pTexelBufferView; } struct VkCopyDescriptorSet { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_COPY_DESCRIPTOR_SET; const(void)* pNext; VkDescriptorSet srcSet; uint32_t srcBinding; uint32_t srcArrayElement; VkDescriptorSet dstSet; uint32_t dstBinding; uint32_t dstArrayElement; uint32_t descriptorCount; } struct VkFramebufferCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_FRAMEBUFFER_CREATE_INFO; const(void)* pNext; VkFramebufferCreateFlags flags; VkRenderPass renderPass; uint32_t attachmentCount; const(VkImageView)* pAttachments; uint32_t width; uint32_t height; uint32_t layers; } struct VkAttachmentDescription { VkAttachmentDescriptionFlags flags; VkFormat format; VkSampleCountFlagBits samples; VkAttachmentLoadOp loadOp; VkAttachmentStoreOp storeOp; VkAttachmentLoadOp stencilLoadOp; VkAttachmentStoreOp stencilStoreOp; VkImageLayout initialLayout; VkImageLayout finalLayout; } struct VkAttachmentReference { uint32_t attachment; VkImageLayout layout; } struct VkSubpassDescription { VkSubpassDescriptionFlags flags; VkPipelineBindPoint pipelineBindPoint; uint32_t inputAttachmentCount; const(VkAttachmentReference)* pInputAttachments; uint32_t colorAttachmentCount; const(VkAttachmentReference)* pColorAttachments; const(VkAttachmentReference)* pResolveAttachments; const(VkAttachmentReference)* pDepthStencilAttachment; uint32_t preserveAttachmentCount; const(uint32_t)* pPreserveAttachments; } struct VkSubpassDependency { uint32_t srcSubpass; uint32_t dstSubpass; VkPipelineStageFlags srcStageMask; VkPipelineStageFlags dstStageMask; VkAccessFlags srcAccessMask; VkAccessFlags dstAccessMask; VkDependencyFlags dependencyFlags; } struct VkRenderPassCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_RENDER_PASS_CREATE_INFO; const(void)* pNext; VkRenderPassCreateFlags flags; uint32_t attachmentCount; const(VkAttachmentDescription)* pAttachments; uint32_t subpassCount; const(VkSubpassDescription)* pSubpasses; uint32_t dependencyCount; const(VkSubpassDependency)* pDependencies; } struct VkCommandPoolCreateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_COMMAND_POOL_CREATE_INFO; const(void)* pNext; VkCommandPoolCreateFlags flags; uint32_t queueFamilyIndex; } struct VkCommandBufferAllocateInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_COMMAND_BUFFER_ALLOCATE_INFO; const(void)* pNext; VkCommandPool commandPool; VkCommandBufferLevel level; uint32_t commandBufferCount; } struct VkCommandBufferInheritanceInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_COMMAND_BUFFER_INHERITANCE_INFO; const(void)* pNext; VkRenderPass renderPass; uint32_t subpass; VkFramebuffer framebuffer; VkBool32 occlusionQueryEnable; VkQueryControlFlags queryFlags; VkQueryPipelineStatisticFlags pipelineStatistics; } struct VkCommandBufferBeginInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_COMMAND_BUFFER_BEGIN_INFO; const(void)* pNext; VkCommandBufferUsageFlags flags; const(VkCommandBufferInheritanceInfo)* pInheritanceInfo; } struct VkBufferCopy { VkDeviceSize srcOffset; VkDeviceSize dstOffset; VkDeviceSize size; } struct VkImageSubresourceLayers { VkImageAspectFlags aspectMask; uint32_t mipLevel; uint32_t baseArrayLayer; uint32_t layerCount; } struct VkImageCopy { VkImageSubresourceLayers srcSubresource; VkOffset3D srcOffset; VkImageSubresourceLayers dstSubresource; VkOffset3D dstOffset; VkExtent3D extent; } struct VkImageBlit { VkImageSubresourceLayers srcSubresource; VkOffset3D[2] srcOffsets; VkImageSubresourceLayers dstSubresource; VkOffset3D[2] dstOffsets; } struct VkBufferImageCopy { VkDeviceSize bufferOffset; uint32_t bufferRowLength; uint32_t bufferImageHeight; VkImageSubresourceLayers imageSubresource; VkOffset3D imageOffset; VkExtent3D imageExtent; } union VkClearColorValue { float[4] float32; int32_t[4] int32; uint32_t[4] uint32; } struct VkClearDepthStencilValue { float depth; uint32_t stencil; } union VkClearValue { VkClearColorValue color; VkClearDepthStencilValue depthStencil; } struct VkClearAttachment { VkImageAspectFlags aspectMask; uint32_t colorAttachment; VkClearValue clearValue; } struct VkClearRect { VkRect2D rect; uint32_t baseArrayLayer; uint32_t layerCount; } struct VkImageResolve { VkImageSubresourceLayers srcSubresource; VkOffset3D srcOffset; VkImageSubresourceLayers dstSubresource; VkOffset3D dstOffset; VkExtent3D extent; } struct VkMemoryBarrier { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_MEMORY_BARRIER; const(void)* pNext; VkAccessFlags srcAccessMask; VkAccessFlags dstAccessMask; } struct VkBufferMemoryBarrier { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_BUFFER_MEMORY_BARRIER; const(void)* pNext; VkAccessFlags srcAccessMask; VkAccessFlags dstAccessMask; uint32_t srcQueueFamilyIndex; uint32_t dstQueueFamilyIndex; VkBuffer buffer; VkDeviceSize offset; VkDeviceSize size; } struct VkImageMemoryBarrier { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_IMAGE_MEMORY_BARRIER; const(void)* pNext; VkAccessFlags srcAccessMask; VkAccessFlags dstAccessMask; VkImageLayout oldLayout; VkImageLayout newLayout; uint32_t srcQueueFamilyIndex; uint32_t dstQueueFamilyIndex; VkImage image; VkImageSubresourceRange subresourceRange; } struct VkRenderPassBeginInfo { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_RENDER_PASS_BEGIN_INFO; const(void)* pNext; VkRenderPass renderPass; VkFramebuffer framebuffer; VkRect2D renderArea; uint32_t clearValueCount; const(VkClearValue)* pClearValues; } struct VkDispatchIndirectCommand { uint32_t x; uint32_t y; uint32_t z; } struct VkDrawIndexedIndirectCommand { uint32_t indexCount; uint32_t instanceCount; uint32_t firstIndex; int32_t vertexOffset; uint32_t firstInstance; } struct VkDrawIndirectCommand { uint32_t vertexCount; uint32_t instanceCount; uint32_t firstVertex; uint32_t firstInstance; } // VK_KHR_surface mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkSurfaceKHR}); enum VK_KHR_SURFACE_SPEC_VERSION = 25; enum VK_KHR_SURFACE_EXTENSION_NAME = "VK_KHR_surface"; enum VkColorSpaceKHR { VK_COLORSPACE_SRGB_NONLINEAR_KHR = 0, VK_COLOR_SPACE_BEGIN_RANGE_KHR = VK_COLORSPACE_SRGB_NONLINEAR_KHR, VK_COLOR_SPACE_END_RANGE_KHR = VK_COLORSPACE_SRGB_NONLINEAR_KHR, VK_COLOR_SPACE_RANGE_SIZE_KHR = (VK_COLORSPACE_SRGB_NONLINEAR_KHR - VK_COLORSPACE_SRGB_NONLINEAR_KHR + 1), VK_COLOR_SPACE_MAX_ENUM_KHR = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_COLORSPACE_SRGB_NONLINEAR_KHR = VkColorSpaceKHR.VK_COLORSPACE_SRGB_NONLINEAR_KHR; enum VK_COLOR_SPACE_BEGIN_RANGE_KHR = VkColorSpaceKHR.VK_COLOR_SPACE_BEGIN_RANGE_KHR; enum VK_COLOR_SPACE_END_RANGE_KHR = VkColorSpaceKHR.VK_COLOR_SPACE_END_RANGE_KHR; enum VK_COLOR_SPACE_RANGE_SIZE_KHR = VkColorSpaceKHR.VK_COLOR_SPACE_RANGE_SIZE_KHR; enum VK_COLOR_SPACE_MAX_ENUM_KHR = VkColorSpaceKHR.VK_COLOR_SPACE_MAX_ENUM_KHR; } enum VkPresentModeKHR { VK_PRESENT_MODE_IMMEDIATE_KHR = 0, VK_PRESENT_MODE_MAILBOX_KHR = 1, VK_PRESENT_MODE_FIFO_KHR = 2, VK_PRESENT_MODE_FIFO_RELAXED_KHR = 3, VK_PRESENT_MODE_BEGIN_RANGE_KHR = VK_PRESENT_MODE_IMMEDIATE_KHR, VK_PRESENT_MODE_END_RANGE_KHR = VK_PRESENT_MODE_FIFO_RELAXED_KHR, VK_PRESENT_MODE_RANGE_SIZE_KHR = (VK_PRESENT_MODE_FIFO_RELAXED_KHR - VK_PRESENT_MODE_IMMEDIATE_KHR + 1), VK_PRESENT_MODE_MAX_ENUM_KHR = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_PRESENT_MODE_IMMEDIATE_KHR = VkPresentModeKHR.VK_PRESENT_MODE_IMMEDIATE_KHR; enum VK_PRESENT_MODE_MAILBOX_KHR = VkPresentModeKHR.VK_PRESENT_MODE_MAILBOX_KHR; enum VK_PRESENT_MODE_FIFO_KHR = VkPresentModeKHR.VK_PRESENT_MODE_FIFO_KHR; enum VK_PRESENT_MODE_FIFO_RELAXED_KHR = VkPresentModeKHR.VK_PRESENT_MODE_FIFO_RELAXED_KHR; enum VK_PRESENT_MODE_BEGIN_RANGE_KHR = VkPresentModeKHR.VK_PRESENT_MODE_BEGIN_RANGE_KHR; enum VK_PRESENT_MODE_END_RANGE_KHR = VkPresentModeKHR.VK_PRESENT_MODE_END_RANGE_KHR; enum VK_PRESENT_MODE_RANGE_SIZE_KHR = VkPresentModeKHR.VK_PRESENT_MODE_RANGE_SIZE_KHR; enum VK_PRESENT_MODE_MAX_ENUM_KHR = VkPresentModeKHR.VK_PRESENT_MODE_MAX_ENUM_KHR; } enum VkSurfaceTransformFlagBitsKHR { VK_SURFACE_TRANSFORM_IDENTITY_BIT_KHR = 0x00000001, VK_SURFACE_TRANSFORM_ROTATE_90_BIT_KHR = 0x00000002, VK_SURFACE_TRANSFORM_ROTATE_180_BIT_KHR = 0x00000004, VK_SURFACE_TRANSFORM_ROTATE_270_BIT_KHR = 0x00000008, VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_BIT_KHR = 0x00000010, VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_90_BIT_KHR = 0x00000020, VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_180_BIT_KHR = 0x00000040, VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_270_BIT_KHR = 0x00000080, VK_SURFACE_TRANSFORM_INHERIT_BIT_KHR = 0x00000100, VK_SURFACE_TRANSFORM_FLAG_BITS_MAX_ENUM_KHR = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_SURFACE_TRANSFORM_IDENTITY_BIT_KHR = VkSurfaceTransformFlagBitsKHR.VK_SURFACE_TRANSFORM_IDENTITY_BIT_KHR; enum VK_SURFACE_TRANSFORM_ROTATE_90_BIT_KHR = VkSurfaceTransformFlagBitsKHR.VK_SURFACE_TRANSFORM_ROTATE_90_BIT_KHR; enum VK_SURFACE_TRANSFORM_ROTATE_180_BIT_KHR = VkSurfaceTransformFlagBitsKHR.VK_SURFACE_TRANSFORM_ROTATE_180_BIT_KHR; enum VK_SURFACE_TRANSFORM_ROTATE_270_BIT_KHR = VkSurfaceTransformFlagBitsKHR.VK_SURFACE_TRANSFORM_ROTATE_270_BIT_KHR; enum VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_BIT_KHR = VkSurfaceTransformFlagBitsKHR.VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_BIT_KHR; enum VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_90_BIT_KHR = VkSurfaceTransformFlagBitsKHR.VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_90_BIT_KHR; enum VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_180_BIT_KHR = VkSurfaceTransformFlagBitsKHR.VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_180_BIT_KHR; enum VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_270_BIT_KHR = VkSurfaceTransformFlagBitsKHR.VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_270_BIT_KHR; enum VK_SURFACE_TRANSFORM_INHERIT_BIT_KHR = VkSurfaceTransformFlagBitsKHR.VK_SURFACE_TRANSFORM_INHERIT_BIT_KHR; enum VK_SURFACE_TRANSFORM_FLAG_BITS_MAX_ENUM_KHR = VkSurfaceTransformFlagBitsKHR.VK_SURFACE_TRANSFORM_FLAG_BITS_MAX_ENUM_KHR; } alias VkSurfaceTransformFlagsKHR = VkFlags; enum VkCompositeAlphaFlagBitsKHR { VK_COMPOSITE_ALPHA_OPAQUE_BIT_KHR = 0x00000001, VK_COMPOSITE_ALPHA_PRE_MULTIPLIED_BIT_KHR = 0x00000002, VK_COMPOSITE_ALPHA_POST_MULTIPLIED_BIT_KHR = 0x00000004, VK_COMPOSITE_ALPHA_INHERIT_BIT_KHR = 0x00000008, VK_COMPOSITE_ALPHA_FLAG_BITS_MAX_ENUM_KHR = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_COMPOSITE_ALPHA_OPAQUE_BIT_KHR = VkCompositeAlphaFlagBitsKHR.VK_COMPOSITE_ALPHA_OPAQUE_BIT_KHR; enum VK_COMPOSITE_ALPHA_PRE_MULTIPLIED_BIT_KHR = VkCompositeAlphaFlagBitsKHR.VK_COMPOSITE_ALPHA_PRE_MULTIPLIED_BIT_KHR; enum VK_COMPOSITE_ALPHA_POST_MULTIPLIED_BIT_KHR = VkCompositeAlphaFlagBitsKHR.VK_COMPOSITE_ALPHA_POST_MULTIPLIED_BIT_KHR; enum VK_COMPOSITE_ALPHA_INHERIT_BIT_KHR = VkCompositeAlphaFlagBitsKHR.VK_COMPOSITE_ALPHA_INHERIT_BIT_KHR; enum VK_COMPOSITE_ALPHA_FLAG_BITS_MAX_ENUM_KHR = VkCompositeAlphaFlagBitsKHR.VK_COMPOSITE_ALPHA_FLAG_BITS_MAX_ENUM_KHR; } alias VkCompositeAlphaFlagsKHR = VkFlags; struct VkSurfaceCapabilitiesKHR { uint32_t minImageCount; uint32_t maxImageCount; VkExtent2D currentExtent; VkExtent2D minImageExtent; VkExtent2D maxImageExtent; uint32_t maxImageArrayLayers; VkSurfaceTransformFlagsKHR supportedTransforms; VkSurfaceTransformFlagBitsKHR currentTransform; VkCompositeAlphaFlagsKHR supportedCompositeAlpha; VkImageUsageFlags supportedUsageFlags; } struct VkSurfaceFormatKHR { VkFormat format; VkColorSpaceKHR colorSpace; } // VK_KHR_swapchain mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkSwapchainKHR}); enum VK_KHR_SWAPCHAIN_SPEC_VERSION = 68; enum VK_KHR_SWAPCHAIN_EXTENSION_NAME = "VK_KHR_swapchain"; alias VkSwapchainCreateFlagsKHR = VkFlags; struct VkSwapchainCreateInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_SWAPCHAIN_CREATE_INFO_KHR; const(void)* pNext; VkSwapchainCreateFlagsKHR flags; VkSurfaceKHR surface; uint32_t minImageCount; VkFormat imageFormat; VkColorSpaceKHR imageColorSpace; VkExtent2D imageExtent; uint32_t imageArrayLayers; VkImageUsageFlags imageUsage; VkSharingMode imageSharingMode; uint32_t queueFamilyIndexCount; const(uint32_t)* pQueueFamilyIndices; VkSurfaceTransformFlagBitsKHR preTransform; VkCompositeAlphaFlagBitsKHR compositeAlpha; VkPresentModeKHR presentMode; VkBool32 clipped; VkSwapchainKHR oldSwapchain; } struct VkPresentInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PRESENT_INFO_KHR; const(void)* pNext; uint32_t waitSemaphoreCount; const(VkSemaphore)* pWaitSemaphores; uint32_t swapchainCount; const(VkSwapchainKHR)* pSwapchains; const(uint32_t)* pImageIndices; VkResult* pResults; } // VK_KHR_display mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkDisplayKHR}); mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkDisplayModeKHR}); enum VK_KHR_DISPLAY_SPEC_VERSION = 21; enum VK_KHR_DISPLAY_EXTENSION_NAME = "VK_KHR_display"; enum VkDisplayPlaneAlphaFlagBitsKHR { VK_DISPLAY_PLANE_ALPHA_OPAQUE_BIT_KHR = 0x00000001, VK_DISPLAY_PLANE_ALPHA_GLOBAL_BIT_KHR = 0x00000002, VK_DISPLAY_PLANE_ALPHA_PER_PIXEL_BIT_KHR = 0x00000004, VK_DISPLAY_PLANE_ALPHA_PER_PIXEL_PREMULTIPLIED_BIT_KHR = 0x00000008, VK_DISPLAY_PLANE_ALPHA_FLAG_BITS_MAX_ENUM_KHR = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_DISPLAY_PLANE_ALPHA_OPAQUE_BIT_KHR = VkDisplayPlaneAlphaFlagBitsKHR.VK_DISPLAY_PLANE_ALPHA_OPAQUE_BIT_KHR; enum VK_DISPLAY_PLANE_ALPHA_GLOBAL_BIT_KHR = VkDisplayPlaneAlphaFlagBitsKHR.VK_DISPLAY_PLANE_ALPHA_GLOBAL_BIT_KHR; enum VK_DISPLAY_PLANE_ALPHA_PER_PIXEL_BIT_KHR = VkDisplayPlaneAlphaFlagBitsKHR.VK_DISPLAY_PLANE_ALPHA_PER_PIXEL_BIT_KHR; enum VK_DISPLAY_PLANE_ALPHA_PER_PIXEL_PREMULTIPLIED_BIT_KHR = VkDisplayPlaneAlphaFlagBitsKHR.VK_DISPLAY_PLANE_ALPHA_PER_PIXEL_PREMULTIPLIED_BIT_KHR; enum VK_DISPLAY_PLANE_ALPHA_FLAG_BITS_MAX_ENUM_KHR = VkDisplayPlaneAlphaFlagBitsKHR.VK_DISPLAY_PLANE_ALPHA_FLAG_BITS_MAX_ENUM_KHR; } alias VkDisplayPlaneAlphaFlagsKHR = VkFlags; alias VkDisplayModeCreateFlagsKHR = VkFlags; alias VkDisplaySurfaceCreateFlagsKHR = VkFlags; struct VkDisplayPropertiesKHR { VkDisplayKHR display; const(char)* displayName; VkExtent2D physicalDimensions; VkExtent2D physicalResolution; VkSurfaceTransformFlagsKHR supportedTransforms; VkBool32 planeReorderPossible; VkBool32 persistentContent; } struct VkDisplayModeParametersKHR { VkExtent2D visibleRegion; uint32_t refreshRate; } struct VkDisplayModePropertiesKHR { VkDisplayModeKHR displayMode; VkDisplayModeParametersKHR parameters; } struct VkDisplayModeCreateInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DISPLAY_MODE_CREATE_INFO_KHR; const(void)* pNext; VkDisplayModeCreateFlagsKHR flags; VkDisplayModeParametersKHR parameters; } struct VkDisplayPlaneCapabilitiesKHR { VkDisplayPlaneAlphaFlagsKHR supportedAlpha; VkOffset2D minSrcPosition; VkOffset2D maxSrcPosition; VkExtent2D minSrcExtent; VkExtent2D maxSrcExtent; VkOffset2D minDstPosition; VkOffset2D maxDstPosition; VkExtent2D minDstExtent; VkExtent2D maxDstExtent; } struct VkDisplayPlanePropertiesKHR { VkDisplayKHR currentDisplay; uint32_t currentStackIndex; } struct VkDisplaySurfaceCreateInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DISPLAY_SURFACE_CREATE_INFO_KHR; const(void)* pNext; VkDisplaySurfaceCreateFlagsKHR flags; VkDisplayModeKHR displayMode; uint32_t planeIndex; uint32_t planeStackIndex; VkSurfaceTransformFlagBitsKHR transform; float globalAlpha; VkDisplayPlaneAlphaFlagBitsKHR alphaMode; VkExtent2D imageExtent; } // VK_KHR_display_swapchain enum VK_KHR_DISPLAY_SWAPCHAIN_SPEC_VERSION = 9; enum VK_KHR_DISPLAY_SWAPCHAIN_EXTENSION_NAME = "VK_KHR_display_swapchain"; struct VkDisplayPresentInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DISPLAY_PRESENT_INFO_KHR; const(void)* pNext; VkRect2D srcRect; VkRect2D dstRect; VkBool32 persistent; } // VK_KHR_xlib_surface version( VK_USE_PLATFORM_XLIB_KHR ) { public import X11.Xlib; enum VK_KHR_XLIB_SURFACE_SPEC_VERSION = 6; enum VK_KHR_XLIB_SURFACE_EXTENSION_NAME = "VK_KHR_xlib_surface"; alias VkXlibSurfaceCreateFlagsKHR = VkFlags; struct VkXlibSurfaceCreateInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_XLIB_SURFACE_CREATE_INFO_KHR; const(void)* pNext; VkXlibSurfaceCreateFlagsKHR flags; Display* dpy; Window window; } } // VK_KHR_xcb_surface version( VK_USE_PLATFORM_XCB_KHR ) { public import xcb.xcb; enum VK_KHR_XCB_SURFACE_SPEC_VERSION = 6; enum VK_KHR_XCB_SURFACE_EXTENSION_NAME = "VK_KHR_xcb_surface"; alias VkXcbSurfaceCreateFlagsKHR = VkFlags; struct VkXcbSurfaceCreateInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_XCB_SURFACE_CREATE_INFO_KHR; const(void)* pNext; VkXcbSurfaceCreateFlagsKHR flags; xcb_connection_t* connection; xcb_window_t window; } } // VK_KHR_wayland_surface version( VK_USE_PLATFORM_WAYLAND_KHR ) { public import wayland_client; enum VK_KHR_WAYLAND_SURFACE_SPEC_VERSION = 5; enum VK_KHR_WAYLAND_SURFACE_EXTENSION_NAME = "VK_KHR_wayland_surface"; alias VkWaylandSurfaceCreateFlagsKHR = VkFlags; struct wl_surface; struct wl_display; struct VkWaylandSurfaceCreateInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_WAYLAND_SURFACE_CREATE_INFO_KHR; const(void)* pNext; VkWaylandSurfaceCreateFlagsKHR flags; wl_display* display; wl_surface* surface; } } // VK_KHR_mir_surface version( VK_USE_PLATFORM_MIR_KHR ) { public import mir_toolkit.client_types; enum VK_KHR_MIR_SURFACE_SPEC_VERSION = 4; enum VK_KHR_MIR_SURFACE_EXTENSION_NAME = "VK_KHR_mir_surface"; alias VkMirSurfaceCreateFlagsKHR = VkFlags; struct VkMirSurfaceCreateInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_MIR_SURFACE_CREATE_INFO_KHR; const(void)* pNext; VkMirSurfaceCreateFlagsKHR flags; MirConnection* connection; MirSurface* mirSurface; } } // VK_KHR_android_surface version( VK_USE_PLATFORM_ANDROID_KHR ) { public import android.native_window; enum VK_KHR_ANDROID_SURFACE_SPEC_VERSION = 6; enum VK_KHR_ANDROID_SURFACE_EXTENSION_NAME = "VK_KHR_android_surface"; alias VkAndroidSurfaceCreateFlagsKHR = VkFlags; struct VkAndroidSurfaceCreateInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_ANDROID_SURFACE_CREATE_INFO_KHR; const(void)* pNext; VkAndroidSurfaceCreateFlagsKHR flags; ANativeWindow* window; } } // VK_KHR_win32_surface version( VK_USE_PLATFORM_WIN32_KHR ) { public import core.sys.windows.windows; enum VK_KHR_WIN32_SURFACE_SPEC_VERSION = 5; enum VK_KHR_WIN32_SURFACE_EXTENSION_NAME = "VK_KHR_win32_surface"; alias VkWin32SurfaceCreateFlagsKHR = VkFlags; struct VkWin32SurfaceCreateInfoKHR { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_WIN32_SURFACE_CREATE_INFO_KHR; const(void)* pNext; VkWin32SurfaceCreateFlagsKHR flags; HINSTANCE hinstance; HWND hwnd; } } // VK_KHR_sampler_mirror_clamp_to_edge enum VK_KHR_SAMPLER_MIRROR_CLAMP_TO_EDGE_SPEC_VERSION = 1; enum VK_KHR_SAMPLER_MIRROR_CLAMP_TO_EDGE_EXTENSION_NAME = "VK_KHR_sampler_mirror_clamp_to_edge"; // VK_ANDROID_native_buffer enum VK_ANDROID_NATIVE_BUFFER_SPEC_VERSION = 4; enum VK_ANDROID_NATIVE_BUFFER_NUMBER = 11; enum VK_ANDROID_NATIVE_BUFFER_NAME = "VK_ANDROID_native_buffer"; // VK_EXT_debug_report mixin(VK_DEFINE_NON_DISPATCHABLE_HANDLE!q{VkDebugReportCallbackEXT}); enum VK_EXT_DEBUG_REPORT_SPEC_VERSION = 2; enum VK_EXT_DEBUG_REPORT_EXTENSION_NAME = "VK_EXT_debug_report"; enum VK_STRUCTURE_TYPE_DEBUG_REPORT_CREATE_INFO_EXT = VkStructureType.VK_STRUCTURE_TYPE_DEBUG_REPORT_CALLBACK_CREATE_INFO_EXT; enum VkDebugReportObjectTypeEXT { VK_DEBUG_REPORT_OBJECT_TYPE_UNKNOWN_EXT = 0, VK_DEBUG_REPORT_OBJECT_TYPE_INSTANCE_EXT = 1, VK_DEBUG_REPORT_OBJECT_TYPE_PHYSICAL_DEVICE_EXT = 2, VK_DEBUG_REPORT_OBJECT_TYPE_DEVICE_EXT = 3, VK_DEBUG_REPORT_OBJECT_TYPE_QUEUE_EXT = 4, VK_DEBUG_REPORT_OBJECT_TYPE_SEMAPHORE_EXT = 5, VK_DEBUG_REPORT_OBJECT_TYPE_COMMAND_BUFFER_EXT = 6, VK_DEBUG_REPORT_OBJECT_TYPE_FENCE_EXT = 7, VK_DEBUG_REPORT_OBJECT_TYPE_DEVICE_MEMORY_EXT = 8, VK_DEBUG_REPORT_OBJECT_TYPE_BUFFER_EXT = 9, VK_DEBUG_REPORT_OBJECT_TYPE_IMAGE_EXT = 10, VK_DEBUG_REPORT_OBJECT_TYPE_EVENT_EXT = 11, VK_DEBUG_REPORT_OBJECT_TYPE_QUERY_POOL_EXT = 12, VK_DEBUG_REPORT_OBJECT_TYPE_BUFFER_VIEW_EXT = 13, VK_DEBUG_REPORT_OBJECT_TYPE_IMAGE_VIEW_EXT = 14, VK_DEBUG_REPORT_OBJECT_TYPE_SHADER_MODULE_EXT = 15, VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_CACHE_EXT = 16, VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_LAYOUT_EXT = 17, VK_DEBUG_REPORT_OBJECT_TYPE_RENDER_PASS_EXT = 18, VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_EXT = 19, VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_SET_LAYOUT_EXT = 20, VK_DEBUG_REPORT_OBJECT_TYPE_SAMPLER_EXT = 21, VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_POOL_EXT = 22, VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_SET_EXT = 23, VK_DEBUG_REPORT_OBJECT_TYPE_FRAMEBUFFER_EXT = 24, VK_DEBUG_REPORT_OBJECT_TYPE_COMMAND_POOL_EXT = 25, VK_DEBUG_REPORT_OBJECT_TYPE_SURFACE_KHR_EXT = 26, VK_DEBUG_REPORT_OBJECT_TYPE_SWAPCHAIN_KHR_EXT = 27, VK_DEBUG_REPORT_OBJECT_TYPE_DEBUG_REPORT_EXT = 28, VK_DEBUG_REPORT_OBJECT_TYPE_BEGIN_RANGE_EXT = VK_DEBUG_REPORT_OBJECT_TYPE_UNKNOWN_EXT, VK_DEBUG_REPORT_OBJECT_TYPE_END_RANGE_EXT = VK_DEBUG_REPORT_OBJECT_TYPE_DEBUG_REPORT_EXT, VK_DEBUG_REPORT_OBJECT_TYPE_RANGE_SIZE_EXT = (VK_DEBUG_REPORT_OBJECT_TYPE_DEBUG_REPORT_EXT - VK_DEBUG_REPORT_OBJECT_TYPE_UNKNOWN_EXT + 1), VK_DEBUG_REPORT_OBJECT_TYPE_MAX_ENUM_EXT = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_DEBUG_REPORT_OBJECT_TYPE_UNKNOWN_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_UNKNOWN_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_INSTANCE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_INSTANCE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_PHYSICAL_DEVICE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_PHYSICAL_DEVICE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_DEVICE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_DEVICE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_QUEUE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_QUEUE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_SEMAPHORE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_SEMAPHORE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_COMMAND_BUFFER_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_COMMAND_BUFFER_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_FENCE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_FENCE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_DEVICE_MEMORY_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_DEVICE_MEMORY_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_BUFFER_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_BUFFER_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_IMAGE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_IMAGE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_EVENT_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_EVENT_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_QUERY_POOL_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_QUERY_POOL_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_BUFFER_VIEW_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_BUFFER_VIEW_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_IMAGE_VIEW_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_IMAGE_VIEW_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_SHADER_MODULE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_SHADER_MODULE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_CACHE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_CACHE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_LAYOUT_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_LAYOUT_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_RENDER_PASS_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_RENDER_PASS_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_SET_LAYOUT_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_SET_LAYOUT_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_SAMPLER_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_SAMPLER_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_POOL_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_POOL_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_SET_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_SET_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_FRAMEBUFFER_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_FRAMEBUFFER_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_COMMAND_POOL_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_COMMAND_POOL_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_SURFACE_KHR_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_SURFACE_KHR_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_SWAPCHAIN_KHR_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_SWAPCHAIN_KHR_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_DEBUG_REPORT_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_DEBUG_REPORT_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_BEGIN_RANGE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_BEGIN_RANGE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_END_RANGE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_END_RANGE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_RANGE_SIZE_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_RANGE_SIZE_EXT; enum VK_DEBUG_REPORT_OBJECT_TYPE_MAX_ENUM_EXT = VkDebugReportObjectTypeEXT.VK_DEBUG_REPORT_OBJECT_TYPE_MAX_ENUM_EXT; } enum VkDebugReportErrorEXT { VK_DEBUG_REPORT_ERROR_NONE_EXT = 0, VK_DEBUG_REPORT_ERROR_CALLBACK_REF_EXT = 1, VK_DEBUG_REPORT_ERROR_BEGIN_RANGE_EXT = VK_DEBUG_REPORT_ERROR_NONE_EXT, VK_DEBUG_REPORT_ERROR_END_RANGE_EXT = VK_DEBUG_REPORT_ERROR_CALLBACK_REF_EXT, VK_DEBUG_REPORT_ERROR_RANGE_SIZE_EXT = (VK_DEBUG_REPORT_ERROR_CALLBACK_REF_EXT - VK_DEBUG_REPORT_ERROR_NONE_EXT + 1), VK_DEBUG_REPORT_ERROR_MAX_ENUM_EXT = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_DEBUG_REPORT_ERROR_NONE_EXT = VkDebugReportErrorEXT.VK_DEBUG_REPORT_ERROR_NONE_EXT; enum VK_DEBUG_REPORT_ERROR_CALLBACK_REF_EXT = VkDebugReportErrorEXT.VK_DEBUG_REPORT_ERROR_CALLBACK_REF_EXT; enum VK_DEBUG_REPORT_ERROR_BEGIN_RANGE_EXT = VkDebugReportErrorEXT.VK_DEBUG_REPORT_ERROR_BEGIN_RANGE_EXT; enum VK_DEBUG_REPORT_ERROR_END_RANGE_EXT = VkDebugReportErrorEXT.VK_DEBUG_REPORT_ERROR_END_RANGE_EXT; enum VK_DEBUG_REPORT_ERROR_RANGE_SIZE_EXT = VkDebugReportErrorEXT.VK_DEBUG_REPORT_ERROR_RANGE_SIZE_EXT; enum VK_DEBUG_REPORT_ERROR_MAX_ENUM_EXT = VkDebugReportErrorEXT.VK_DEBUG_REPORT_ERROR_MAX_ENUM_EXT; } enum VkDebugReportFlagBitsEXT { VK_DEBUG_REPORT_INFORMATION_BIT_EXT = 0x00000001, VK_DEBUG_REPORT_WARNING_BIT_EXT = 0x00000002, VK_DEBUG_REPORT_PERFORMANCE_WARNING_BIT_EXT = 0x00000004, VK_DEBUG_REPORT_ERROR_BIT_EXT = 0x00000008, VK_DEBUG_REPORT_DEBUG_BIT_EXT = 0x00000010, VK_DEBUG_REPORT_FLAG_BITS_MAX_ENUM_EXT = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_DEBUG_REPORT_INFORMATION_BIT_EXT = VkDebugReportFlagBitsEXT.VK_DEBUG_REPORT_INFORMATION_BIT_EXT; enum VK_DEBUG_REPORT_WARNING_BIT_EXT = VkDebugReportFlagBitsEXT.VK_DEBUG_REPORT_WARNING_BIT_EXT; enum VK_DEBUG_REPORT_PERFORMANCE_WARNING_BIT_EXT = VkDebugReportFlagBitsEXT.VK_DEBUG_REPORT_PERFORMANCE_WARNING_BIT_EXT; enum VK_DEBUG_REPORT_ERROR_BIT_EXT = VkDebugReportFlagBitsEXT.VK_DEBUG_REPORT_ERROR_BIT_EXT; enum VK_DEBUG_REPORT_DEBUG_BIT_EXT = VkDebugReportFlagBitsEXT.VK_DEBUG_REPORT_DEBUG_BIT_EXT; enum VK_DEBUG_REPORT_FLAG_BITS_MAX_ENUM_EXT = VkDebugReportFlagBitsEXT.VK_DEBUG_REPORT_FLAG_BITS_MAX_ENUM_EXT; } alias VkDebugReportFlagsEXT = VkFlags; alias PFN_vkDebugReportCallbackEXT = VkBool32 function( VkDebugReportFlagsEXT flags, VkDebugReportObjectTypeEXT objectType, uint64_t object, size_t location, int32_t messageCode, const char* pLayerPrefix, const char* pMessage, void* pUserData); struct VkDebugReportCallbackCreateInfoEXT { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DEBUG_REPORT_CALLBACK_CREATE_INFO_EXT; const(void)* pNext; VkDebugReportFlagsEXT flags; PFN_vkDebugReportCallbackEXT pfnCallback; void* pUserData; } // VK_NV_glsl_shader enum VK_NV_GLSL_SHADER_SPEC_VERSION = 1; enum VK_NV_GLSL_SHADER_EXTENSION_NAME = "VK_NV_glsl_shader"; // VK_NV_extension_1 enum VK_NV_EXTENSION_1_SPEC_VERSION = 0; enum VK_NV_EXTENSION_1_EXTENSION_NAME = "VK_NV_extension_1"; // VK_IMG_filter_cubic enum VK_IMG_FILTER_CUBIC_SPEC_VERSION = 1; enum VK_IMG_FILTER_CUBIC_EXTENSION_NAME = "VK_IMG_filter_cubic"; // VK_AMD_extension_1 enum VK_AMD_EXTENSION_1_SPEC_VERSION = 0; enum VK_AMD_EXTENSION_1_EXTENSION_NAME = "VK_AMD_extension_1"; // VK_AMD_extension_2 enum VK_AMD_EXTENSION_2_SPEC_VERSION = 0; enum VK_AMD_EXTENSION_2_EXTENSION_NAME = "VK_AMD_extension_2"; // VK_AMD_rasterization_order enum VK_AMD_RASTERIZATION_ORDER_SPEC_VERSION = 1; enum VK_AMD_RASTERIZATION_ORDER_EXTENSION_NAME = "VK_AMD_rasterization_order"; enum VkRasterizationOrderAMD { VK_RASTERIZATION_ORDER_STRICT_AMD = 0, VK_RASTERIZATION_ORDER_RELAXED_AMD = 1, VK_RASTERIZATION_ORDER_BEGIN_RANGE_AMD = VK_RASTERIZATION_ORDER_STRICT_AMD, VK_RASTERIZATION_ORDER_END_RANGE_AMD = VK_RASTERIZATION_ORDER_RELAXED_AMD, VK_RASTERIZATION_ORDER_RANGE_SIZE_AMD = (VK_RASTERIZATION_ORDER_RELAXED_AMD - VK_RASTERIZATION_ORDER_STRICT_AMD + 1), VK_RASTERIZATION_ORDER_MAX_ENUM_AMD = 0x7FFFFFFF } version( DVulkanGlobalEnums ) { enum VK_RASTERIZATION_ORDER_STRICT_AMD = VkRasterizationOrderAMD.VK_RASTERIZATION_ORDER_STRICT_AMD; enum VK_RASTERIZATION_ORDER_RELAXED_AMD = VkRasterizationOrderAMD.VK_RASTERIZATION_ORDER_RELAXED_AMD; enum VK_RASTERIZATION_ORDER_BEGIN_RANGE_AMD = VkRasterizationOrderAMD.VK_RASTERIZATION_ORDER_BEGIN_RANGE_AMD; enum VK_RASTERIZATION_ORDER_END_RANGE_AMD = VkRasterizationOrderAMD.VK_RASTERIZATION_ORDER_END_RANGE_AMD; enum VK_RASTERIZATION_ORDER_RANGE_SIZE_AMD = VkRasterizationOrderAMD.VK_RASTERIZATION_ORDER_RANGE_SIZE_AMD; enum VK_RASTERIZATION_ORDER_MAX_ENUM_AMD = VkRasterizationOrderAMD.VK_RASTERIZATION_ORDER_MAX_ENUM_AMD; } struct VkPipelineRasterizationStateRasterizationOrderAMD { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_RASTERIZATION_ORDER_AMD; const(void)* pNext; VkRasterizationOrderAMD rasterizationOrder; } // VK_AMD_extension_4 enum VK_AMD_EXTENSION_4_SPEC_VERSION = 0; enum VK_AMD_EXTENSION_4_EXTENSION_NAME = "VK_AMD_extension_4"; // VK_AMD_extension_5 enum VK_AMD_EXTENSION_5_SPEC_VERSION = 0; enum VK_AMD_EXTENSION_5_EXTENSION_NAME = "VK_AMD_extension_5"; // VK_AMD_extension_6 enum VK_AMD_EXTENSION_6_SPEC_VERSION = 0; enum VK_AMD_EXTENSION_6_EXTENSION_NAME = "VK_AMD_extension_6"; // VK_EXT_debug_marker enum VK_EXT_DEBUG_MARKER_SPEC_VERSION = 3; enum VK_EXT_DEBUG_MARKER_EXTENSION_NAME = "VK_EXT_debug_marker"; struct VkDebugMarkerObjectNameInfoEXT { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_NAME_INFO_EXT; const(void)* pNext; VkDebugReportObjectTypeEXT objectType; uint64_t object; const(char)* pObjectName; } struct VkDebugMarkerObjectTagInfoEXT { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_TAG_INFO_EXT; const(void)* pNext; VkDebugReportObjectTypeEXT objectType; uint64_t object; uint64_t tagName; size_t tagSize; const(void)* pTag; } struct VkDebugMarkerMarkerInfoEXT { VkStructureType sType = VkStructureType.VK_STRUCTURE_TYPE_DEBUG_MARKER_MARKER_INFO_EXT; const(void)* pNext; const(char)* pMarkerName; float[4] color; }
D
/home/pjackim/downloads/eww/target/release/deps/libproc_macro_error_attr-27acdda3b8657330.so: /home/pjackim/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-error-attr-1.0.4/src/lib.rs /home/pjackim/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-error-attr-1.0.4/src/parse.rs /home/pjackim/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-error-attr-1.0.4/src/settings.rs /home/pjackim/downloads/eww/target/release/deps/proc_macro_error_attr-27acdda3b8657330.d: /home/pjackim/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-error-attr-1.0.4/src/lib.rs /home/pjackim/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-error-attr-1.0.4/src/parse.rs /home/pjackim/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-error-attr-1.0.4/src/settings.rs /home/pjackim/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-error-attr-1.0.4/src/lib.rs: /home/pjackim/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-error-attr-1.0.4/src/parse.rs: /home/pjackim/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro-error-attr-1.0.4/src/settings.rs:
D
module android.java.java.util.concurrent.CyclicBarrier; public import android.java.java.util.concurrent.CyclicBarrier_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!CyclicBarrier; import import2 = android.java.java.lang.Class;
D
/Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.build/libc.swift.o : /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/core.git--2280532085018929318/Sources/COperatingSystem/libc.swift /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/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.build/libc~partial.swiftmodule : /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/core.git--2280532085018929318/Sources/COperatingSystem/libc.swift /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/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.build/libc~partial.swiftdoc : /Users/jimallan/Downloads/starter/location-track-server/.build/checkouts/core.git--2280532085018929318/Sources/COperatingSystem/libc.swift /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/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/jimallan/Downloads/starter/location-track-server/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes
D
module android.java.java.util.BitSet; public import android.java.java.util.BitSet_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!BitSet; import import3 = android.java.java.util.stream.IntStream; import import0 = android.java.java.util.BitSet; import import4 = android.java.java.lang.Class;
D
the beginning of anything the time at which something is supposed to begin a turn to be a starter (in a game at the beginning a sudden involuntary movement the act of starting something a line indicating the location of the start of a race or a game a signal to begin (as in a race the advantage gained by beginning early (as in a race take the first step or steps in carrying out an action set in motion, cause to start leave have a beginning, in a temporal, spatial, or evaluative sense bring into being get off the ground move or jump suddenly, as if in surprise or alarm get going or set in motion begin or set in motion begin work or acting in a certain capacity, office or job play in the starting lineup have a beginning characterized in some specified way begin an event that is implied and limited by the nature or inherent function of the direct object bulge outward
D
/Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Core.build/DispatchTime+Utilities.swift.o : /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/RFC1123.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+Polymorphic.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Sequence.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Collection+Safe.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Cache.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Extendable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/EmptyInitializable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/DataFile.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+CaseInsensitiveCompare.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Semaphore.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/String.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Dispatch.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Lock.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Portal.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/FileProtocol.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/StaticDataBuffer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/DispatchTime+Utilities.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Bits.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Exports.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Result.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Int+Hex.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Array.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/WorkingDirectory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /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/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/libc.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/CHTTP.build/module.modulemap /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Core.build/DispatchTime+Utilities~partial.swiftmodule : /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/RFC1123.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+Polymorphic.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Sequence.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Collection+Safe.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Cache.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Extendable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/EmptyInitializable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/DataFile.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+CaseInsensitiveCompare.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Semaphore.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/String.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Dispatch.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Lock.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Portal.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/FileProtocol.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/StaticDataBuffer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/DispatchTime+Utilities.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Bits.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Exports.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Result.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Int+Hex.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Array.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/WorkingDirectory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /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/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/libc.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/CHTTP.build/module.modulemap /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Core.build/DispatchTime+Utilities~partial.swiftdoc : /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/RFC1123.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+Polymorphic.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Sequence.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Collection+Safe.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Cache.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Extendable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/EmptyInitializable.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/DataFile.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/String+CaseInsensitiveCompare.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Semaphore.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/String.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Dispatch.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Lock.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Portal.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/FileProtocol.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/StaticDataBuffer.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/DispatchTime+Utilities.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Bits.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Exports.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Result.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Int+Hex.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/Array.swift /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/checkouts/core.git-9210800844849382486/Sources/Core/WorkingDirectory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /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/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/libc.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/Fklemke/swiftbenchmarkproject/vaporJSON/.build/debug/CHTTP.build/module.modulemap
D
version https://git-lfs.github.com/spec/v1 oid sha256:e4b2a04936d759476046b74a47304706bcf0e8560863a560fc0997ed42ec8f38 size 683
D
INSTANCE Info_Mod_Myxir_Irdorath (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Irdorath_Condition; information = Info_Mod_Myxir_Irdorath_Info; permanent = 0; important = 0; description = "Ich will mit einem Schiff zu einer Enklave von Xeres aufbrechen, um ..."; }; FUNC INT Info_Mod_Myxir_Irdorath_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Xardas_NW_Irdorath)) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Irdorath_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Irdorath_15_00"); //Ich will mit einem Schiff zu einer Enklave von Xeres aufbrechen, um ... AI_Output(self, hero, "Info_Mod_Myxir_Irdorath_28_01"); //Was, in eine Region tiefer Finsternis, abscheulicher Blasphemie ... AI_Output(hero, self, "Info_Mod_Myxir_Irdorath_15_02"); //Na ja, es geht aber um die Rettung der ... AI_Output(self, hero, "Info_Mod_Myxir_Irdorath_28_03"); //(unterbricht, ohne zuzuhören) ... und Artefakte dunkler Magie? Herrlich. }; INSTANCE Info_Mod_Myxir_Irdorath2 (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Irdorath2_Condition; information = Info_Mod_Myxir_Irdorath2_Info; permanent = 0; important = 0; description = "Ohh, zufällig habe ich noch an Platz an Bord ..."; }; FUNC INT Info_Mod_Myxir_Irdorath2_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Myxir_Irdorath)) && (Mod_MyxirDabei == 0) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Irdorath2_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Irdorath2_15_00"); //(überrascht) Ohh, zufällig habe ich noch an Platz an Bord ... AI_Output(self, hero, "Info_Mod_Myxir_Irdorath2_28_01"); //Großartig, ich werde mich dann zum Hafen begeben. B_LogEntry (TOPIC_MOD_HQ_CREW, "Na, bei Myxir habe ich aber nicht allzu große Überredungskünste benötigt."); B_GivePlayerXP (100); Mod_MyxirDabei = 1; Mod_CrewCount += 1; AI_StopProcessInfos (self); B_StartOtherRoutine (self, "TOT"); }; INSTANCE Info_Mod_Myxir_Irdorath3 (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Irdorath3_Condition; information = Info_Mod_Myxir_Irdorath3_Info; permanent = 0; important = 0; description = "Eventuell hätte ich noch einen Platz an Bord."; }; FUNC INT Info_Mod_Myxir_Irdorath3_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Myxir_Irdorath)) && (Mod_MyxirDabei == 0) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Irdorath3_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Irdorath3_15_00"); //Eventuell hätte ich noch einen Platz an Bord. Die Aufwendungen für dieses Unterfangen sind jedoch groß ... AI_Output(self, hero, "Info_Mod_Myxir_Irdorath3_28_01"); //Ach, Gold kann die Möglichkeit, die sich damit bietet, gar nicht aufwiegen. AI_Output(self, hero, "Info_Mod_Myxir_Irdorath3_28_02"); //Hier, ich denke, das sollte den Ausgaben gerecht werden. B_ShowGivenThings ("300 Gold, Spruchrolle, 2 Fläschchen Blut und 4 Zombiefleisch erhalten"); CreateInvItems (hero, ItMi_Gold, 300); CreateInvItems (hero, ItSc_Armyofdarkness, 1); CreateInvItems (hero, ItPo_Blood, 2); CreateInvItems (hero, ItFoMuttonZombie, 4); AI_Output(self, hero, "Info_Mod_Myxir_Irdorath3_28_03"); //Ich werde mich dann zum Hafen begeben. B_LogEntry (TOPIC_MOD_HQ_CREW, "Na, bei Myxir habe ich aber nicht allzu große Überredungskünste benötigt."); B_GivePlayerXP (100); Mod_MyxirDabei = 1; AI_StopProcessInfos (self); B_StartOtherRoutine (self, "TOT"); }; INSTANCE Info_Mod_Myxir_GotoIgnaz (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_GotoIgnaz_Condition; information = Info_Mod_Myxir_GotoIgnaz_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Myxir_GotoIgnaz_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Xardas_NW_HabAxt)) && ((Mod_Gilde == 13) || (Mod_Gilde == 15)) && (Kapitel >= 4) { return 1; }; }; FUNC VOID Info_Mod_Myxir_GotoIgnaz_Info() { AI_Output(self, hero, "Info_Mod_Myxir_GotoIgnaz_28_00"); //Ah, du kommst mir gerade gelegen. Ich hätte etwas zu tun für dich! AI_Output(hero, self, "Info_Mod_Myxir_GotoIgnaz_15_01"); //(seufzt) Um was geht es dieses Mal? AI_Output(self, hero, "Info_Mod_Myxir_GotoIgnaz_28_02"); //Ich suche ein wertvolles Schmuckstück; ein altes Amulett, das von der Kraft Innos' erfüllt sein soll. AI_Output(self, hero, "Info_Mod_Myxir_GotoIgnaz_28_03"); //Damit können wir vielleicht das Kloster erpressen und so wertvolle Informationen über deren Magie erfahren! AI_Output(hero, self, "Info_Mod_Myxir_GotoIgnaz_15_04"); //Wo soll ich anfangen zu suchen? AI_Output(self, hero, "Info_Mod_Myxir_GotoIgnaz_28_05"); //Das Amulett soll ein alter wirrer Alchemist vor einiger Zeit gekauft haben. Der Narr heißt Ignaz. Er lebt im Hafenviertel der Stadt Khorinis. AI_Output(self, hero, "Info_Mod_Myxir_GotoIgnaz_28_06"); //Geh zu ihm und bringe das Artefakt zu mir! AI_Output(hero, self, "Info_Mod_Myxir_GotoIgnaz_15_07"); //Was soll ich mit Ignaz machen? AI_Output(self, hero, "Info_Mod_Myxir_GotoIgnaz_28_08"); //Das liegt in deiner Hand! AI_Output(hero, self, "Info_Mod_Myxir_GotoIgnaz_15_09"); //Gut. AI_Output(self, hero, "Info_Mod_Myxir_GotoIgnaz_28_10"); //(streng) Nun geh! Mod_584_NONE_Ignaz_NW.attribute[ATR_HITPOINTS] = 1; Log_CreateTopic (TOPIC_MOD_BEL_SUCHE, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_BEL_SUCHE, LOG_RUNNING); B_LogEntry (TOPIC_MOD_BEL_SUCHE, "Myxir möchte, dass ich ihm ein altes Amulett von Ignaz besorge."); }; INSTANCE Info_Mod_Myxir_Amulett (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Amulett_Condition; information = Info_Mod_Myxir_Amulett_Info; permanent = 0; important = 0; description = "Ich hab das Amulett."; }; FUNC INT Info_Mod_Myxir_Amulett_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_UntoterNovize_01_Hi)) && (Npc_HasItems(hero, ItAm_GardeInnos) == 1) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Amulett_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Amulett_15_00"); //Ich hab das Amulett. B_GiveInvItems (hero, self, ItAm_GardeInnos, 1); Npc_RemoveInvItems (self, ItAm_GardeInnos, 1); AI_Output(self, hero, "Info_Mod_Myxir_Amulett_28_01"); //Warum ist es geöffnet? AI_Output(hero, self, "Info_Mod_Myxir_Amulett_15_02"); //Mehrere untote Novizen haben es Ignaz geraubt und ihn ermordet. Ich verfolgte sie zu einem Steinkreis im großen Wald, wo sie ein Ritual abhielten. AI_Output(hero, self, "Info_Mod_Myxir_Amulett_15_03"); //Einer der Untoten schwafelte davon, dass die alte Garde Innos' zurück sei und Beliar vernichten wolle. AI_Output(self, hero, "Info_Mod_Myxir_Amulett_28_04"); //(aufgebracht) Was? Das ist eine Katastrophe. Geh sofort zu Xardas und erstatte ihm Bericht! AI_Output(hero, self, "Info_Mod_Myxir_Amulett_15_05"); //Wieso? AI_Output(self, hero, "Info_Mod_Myxir_Amulett_28_06"); //Sofort! B_StartOtherRoutine (Mod_513_DMB_Xardas_NW, "GARDEINNOS"); Log_CreateTopic (TOPIC_MOD_BEL_GARDEINNOS, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_BEL_GARDEINNOS, LOG_RUNNING); B_LogEntry_More (TOPIC_MOD_BEL_SUCHE, TOPIC_MOD_BEL_GARDEINNOS, "Ich habe Myxir das Amulett gebracht.", "Myxir hat mich zu Xardas geschickt. Die Situation mit der Garde Innos' scheint ernst zu sein."); B_SetTopicStatus (TOPIC_MOD_BEL_SUCHE, LOG_SUCCESS); B_Göttergefallen(3, 1); }; INSTANCE Info_Mod_Myxir_Wein (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Wein_Condition; information = Info_Mod_Myxir_Wein_Info; permanent = 0; important = 0; description = "Ich soll hier diesen Wein aus dem Kloster abliefern."; }; FUNC INT Info_Mod_Myxir_Wein_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Gorax_Andokai)) && (Npc_HasItems(hero, ItFo_KWine) >= 10) && (!Npc_KnowsInfo(hero, Info_Mod_Orlan_Gorax)) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Wein_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Wein_15_00"); //Ich soll hier diesen Wein aus dem Kloster abliefern. B_GiveInvItems (hero, self, ItFo_KWine, 10); Npc_RemoveInvItems (self, ItFo_KWine, 10); AI_Output(self, hero, "Info_Mod_Myxir_Wein_28_01"); //Ah ja, der Nachschub. Das wird heute wieder ein feuchtfröhliches Gelage der Krieger geben. Ätzend. AI_Output(hero, self, "Info_Mod_Myxir_Wein_15_02"); //Hab ich was falsch gemacht? AI_Output(self, hero, "Info_Mod_Myxir_Wein_28_03"); //(genervt) Hab ich das etwa gesagt? Du kannst dich jetzt entfernen. B_LogEntry (TOPIC_MOD_ANDOKAI_WEIN, "Ich hab Myxir die Weinlieferung überbracht. Wirklich zufrieden war er nicht, aber das ist nicht mein Problem."); B_SetTopicStatus (TOPIC_MOD_ANDOKAI_WEIN, LOG_SUCCESS); }; INSTANCE Info_Mod_Myxir_HabDieKraeuter (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_HabDieKraeuter_Condition; information = Info_Mod_Myxir_HabDieKraeuter_Info; permanent = 0; important = 0; description = "Mit freundlichen Grüßen von Bodo."; }; FUNC INT Info_Mod_Myxir_HabDieKraeuter_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Bodo_Krautlieferung)) && (Npc_HasItems(hero, MyxirsGiftpflanze) >= 20) { return 1; }; }; FUNC VOID Info_Mod_Myxir_HabDieKraeuter_Info() { AI_Output(hero, self, "Info_Mod_Myxir_HabDieKraeuter_15_00"); //Mit freundlichen Grüßen von Bodo. B_GiveInvItems (hero, self, MyxirsGiftpflanze, 20); AI_Output(self, hero, "Info_Mod_Myxir_HabDieKraeuter_28_01"); //Die kann er sich sparen! Hauptsache, er hat alles gefunden, was ich brauche. AI_Output(self, hero, "Info_Mod_Myxir_HabDieKraeuter_28_02"); //(kurze Pause, zornig) Hab ich's mir doch gedacht! Dieser Faulenzer hat es sich wieder leicht gemacht! AI_Output(self, hero, "Info_Mod_Myxir_HabDieKraeuter_28_03"); //Ich habe ausdrücklich von zehn Heilknospen gesprochen, und er schickt mir Heilkraut! AI_Output(self, hero, "Info_Mod_Myxir_HabDieKraeuter_28_04"); //Das hätte ich ja wohl noch selbst sammeln können. Außerdem hat er die fünf Zwillingsdorne vergessen! AI_Output(self, hero, "Info_Mod_Myxir_HabDieKraeuter_28_05"); //Wie soll ich denn jetzt bei meinen Forschungen weiterkommen? AI_Output(hero, self, "Info_Mod_Myxir_HabDieKraeuter_15_06"); //Das tut mir Leid. Aber handelst du jetzt mit mir? AI_Output(self, hero, "Info_Mod_Myxir_HabDieKraeuter_28_07"); //Nicht, bis ich die vermaledeiten Pflanzen habe! AI_Output(hero, self, "Info_Mod_Myxir_HabDieKraeuter_15_08"); //So lautete unsere Abmachung aber nicht. AI_Output(self, hero, "Info_Mod_Myxir_HabDieKraeuter_28_09"); //Was interessiert mich irgendeine Abmachung, hä? B_GivePlayerXP (100); Npc_RemoveInvItems (self, MyxirsGiftpflanze, 20); B_LogEntry (TOPIC_MOD_GIFTPFLANZEN, "Bodo hat bei der Pflanzenlieferung ordentlich geschlampt. Myxir fehlen noch 10 Heilknospen und 5 Zwillingsdorne, damit er (hoffentlich) in eine gnädigere Stimmung versetzt wird."); B_Göttergefallen(3, 1); }; INSTANCE Info_Mod_Myxir_RestPflanzen (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_RestPflanzen_Condition; information = Info_Mod_Myxir_RestPflanzen_Info; permanent = 0; important = 0; description = "Jetzt sollte deine Lieferung vollständig sein."; }; FUNC INT Info_Mod_Myxir_RestPflanzen_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Myxir_HabDieKraeuter)) && (Npc_HasItems(hero, ItPl_Heilknospe) >= 10) && (Npc_HasItems(hero, ItPl_Zwillingsdorn) >= 5) { return 1; }; }; FUNC VOID Info_Mod_Myxir_RestPflanzen_Info() { AI_Output(hero, self, "Info_Mod_Myxir_RestPflanzen_15_00"); //Jetzt sollte deine Lieferung vollständig sein. Npc_RemoveInvItems (hero, ItPl_Heilknospe, 10); Npc_RemoveInvItems (hero, ItPl_Zwillingsdorn, 5); B_ShowGivenThings ("10 Heilknospen und 5 Zwillingsdorne gegeben"); AI_Output(self, hero, "Info_Mod_Myxir_RestPflanzen_28_01"); //Na, endlich! Und meine Haare sind noch nicht mal komplett ergraut! B_GivePlayerXP (200); B_SetTopicStatus (TOPIC_MOD_GIFTPFLANZEN, LOG_SUCCESS); B_Göttergefallen(3, 1); }; INSTANCE Info_Mod_Myxir_Skinner (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Skinner_Condition; information = Info_Mod_Myxir_Skinner_Info; permanent = 0; important = 0; description = "Ich habe hier etwas, was Ihr schon sehnlich erwarten werdet."; }; FUNC INT Info_Mod_Myxir_Skinner_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Skinner_Laufbursche)) && (Npc_HasItems(hero, ItAt_SkeletonBone) >= 20) && (Npc_HasItems(hero, ItAt_GoblinBone) >= 14) && (Npc_HasItems(hero, ItAt_SkeletonHead) >= 4) && (Npc_HasItems(hero, ItMi_Addon_Bloodwyn_Kopf) >= 2) && (Npc_HasItems(hero, ItPo_Blood) >= 17) && (Npc_HasItems(hero, ItFoMuttonZombie) >= 12) && (Npc_HasItems(hero, ItAt_DemonHeart) >= 1) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Skinner_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Skinner_15_00"); //Gebieter über die dämonischen Mächte. Ich habe hier etwas, was Ihr schon sehnlich erwarten werdet. Npc_RemoveInvItems (hero, ItAt_SkeletonBone, 20); Npc_RemoveInvItems (hero, ItAt_GoblinBone, 14); Npc_RemoveInvItems (hero, ItAt_SkeletonHead, 4); Npc_RemoveInvItems (hero, ItMi_Addon_Bloodwyn_Kopf, 2); Npc_RemoveInvItems (hero, ItPo_Blood, 17); Npc_RemoveInvItems (hero, ItFoMuttonZombie, 12); Npc_RemoveInvItems (hero, ItAt_DemonHeart, 1); B_ShowGivenThings ("Dämonischen Kram gegeben"); AI_Output(self, hero, "Info_Mod_Myxir_Skinner_28_01"); //Herrlich. Bei Beliar, damit werde ich mein abscheuliches Werk vorantreiben können. AI_Output(hero, self, "Info_Mod_Myxir_Skinner_15_02"); //Wie sieht das aus ... ? AI_Output(self, hero, "Info_Mod_Myxir_Skinner_28_03"); //Was? Wieso belästigst du mich noch? Ach so, deine Entlohnung. Der Finder dieser Relikte des Todes und der finsteren Mächte ist dieser Spruchrollen wahrhaft würdig. CreateInvItems (hero, ItSc_SumWolf, 1); CreateInvItems (hero, ItSc_SumDemon, 1); CreateInvItems (hero, ItSc_SumGol, 1); B_ShowGivenThings ("Spruchrollen erhalten"); B_GivePlayerXP (250); B_LogEntry (TOPIC_MOD_BDT_SKINNER, "Myxir habe ich aufgesucht und die Spruchrollen erhalten."); }; INSTANCE Info_Mod_Myxir_Befoerderung (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Befoerderung_Condition; information = Info_Mod_Myxir_Befoerderung_Info; permanent = 0; important = 0; description = "Ich will Dämonenbeschwörer werden."; }; FUNC INT Info_Mod_Myxir_Befoerderung_Condition() { if (Mod_Gilde == 13) && ((Kapitel > 4) || (Npc_KnowsInfo(hero, Info_Mod_Xardas_AW_Bshydal))) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Befoerderung_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Befoerderung_15_00"); //Ich will Dämonenbeschwörer werden. AI_Output(self, hero, "Info_Mod_Myxir_Befoerderung_28_01"); //(abschätzend) Meinetwegen. Du hast Beliar bereits gute Dienste geleistet. Du hast seine Gunst erworben. AI_Output(self, hero, "Info_Mod_Myxir_Befoerderung_28_02"); //Ich werde dich in den Rang des Dämonenbeschwörers erheben. AI_Output(self, hero, "Info_Mod_Myxir_Befoerderung_28_03"); //Hier ist deine Robe. CreateInvItems (self, ITAR_Xardas, 1); B_GiveInvItems (self, hero, ITAR_Xardas, 1); AI_UnequipArmor (hero); AI_EquipArmor (hero, ItAr_Xardas); B_GivePlayerXP (400); B_Göttergefallen(3, 5); Mod_Gilde = 14; Snd_Play ("LEVELUP"); }; INSTANCE Info_Mod_Myxir_WieGehts (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_WieGehts_Condition; information = Info_Mod_Myxir_WieGehts_Info; permanent = 0; important = 0; description = "He, wie geht's so?"; }; FUNC INT Info_Mod_Myxir_WieGehts_Condition() { return 1; }; FUNC VOID Info_Mod_Myxir_WieGehts_Info() { AI_Output(hero, self, "Info_Mod_Myxir_WieGehts_15_00"); //He, wie geht's so? AI_Output(self, hero, "Info_Mod_Myxir_WieGehts_28_01"); //Komm mir ja nicht so kumpelhaft, als würden wir uns schon ewig kennen! AI_Output(self, hero, "Info_Mod_Myxir_WieGehts_28_02"); //Bei den anderen mag das funktionieren, aber bei mir nicht. }; INSTANCE Info_Mod_Myxir_Haendler (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Haendler_Condition; information = Info_Mod_Myxir_Haendler_Info; permanent = 0; important = 0; description = "Mein Gefühl sagt mir, dass du der geborene Händler wärst."; }; FUNC INT Info_Mod_Myxir_Haendler_Condition() { if (hero.guild == GIL_KDF) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Haendler_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Haendler_15_00"); //Mein Gefühl sagt mir, dass du der geborene Händler wärst. AI_Output(self, hero, "Info_Mod_Myxir_Haendler_28_01"); //Tatsächlich biete ich die eine oder andere Ware zum Verkauf. AI_Output(hero, self, "Info_Mod_Myxir_Haendler_15_02"); //Handelst du mit mir? AI_Output(self, hero, "Info_Mod_Myxir_Haendler_28_03"); //Ich verkaufe an jeden, der mir auch mal einen Gefallen getan hat ... Info_ClearChoices (Info_Mod_Myxir_Haendler); Info_AddChoice (Info_Mod_Myxir_Haendler, "Die alte Leier schon wieder. Nicht mit mir!", Info_Mod_Myxir_Haendler_B); Info_AddChoice (Info_Mod_Myxir_Haendler, "Und wie könnte so ein Gefallen aussehen?", Info_Mod_Myxir_Haendler_A); }; FUNC VOID Info_Mod_Myxir_Haendler_B() { AI_Output(hero, self, "Info_Mod_Myxir_Haendler_B_15_00"); //Die alte Leier schon wieder. Nicht mit mir! Info_ClearChoices (Info_Mod_Myxir_Haendler); }; FUNC VOID Info_Mod_Myxir_Haendler_A() { AI_Output(hero, self, "Info_Mod_Myxir_Haendler_A_15_00"); //Und wie könnte so ein Gefallen aussehen? AI_Output(self, hero, "Info_Mod_Myxir_Haendler_A_28_01"); //Ich hatte Bodo losgeschickt, weil er mir Kräuter sammeln sollte. AI_Output(self, hero, "Info_Mod_Myxir_Haendler_A_28_02"); //Auf Xardas' Geheiß ist er jetzt aber in Khorinis geblieben, um sich dort über die aktuelle Lage zu informieren. Und ich warte auf meine Pflanzen. AI_Output(hero, self, "Info_Mod_Myxir_Haendler_A_15_03"); //Ich werd dran denken, wenn ich ihn sehe. AI_Output(self, hero, "Info_Mod_Myxir_Haendler_A_28_04"); //Das solltest du. Die Versorgung des Klosters funktioniert eh schon mehr schlecht als recht, da brauche ich nicht noch weitere Verzögerungen. Info_ClearChoices (Info_Mod_Myxir_Haendler); Log_CreateTopic (TOPIC_MOD_GIFTPFLANZEN, LOG_MISSION); B_SetTopicStatus (TOPIC_MOD_GIFTPFLANZEN, LOG_RUNNING); B_LogEntry (TOPIC_MOD_GIFTPFLANZEN, "Wenn ich mit Myxir handeln will, muss ich ihm vorher einen Gefallen tun: Bodo in der Stadt hat eine Pflanzenlieferung, auf die Myxir wartet."); Mod_MyxirsKraeuter = 0; Mod_KenntBodo = 1; Mod_MyxirsAuftragOK = 1; }; INSTANCE Info_Mod_Myxir_Schattenlaeuferhorn (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Schattenlaeuferhorn_Condition; information = Info_Mod_Myxir_Schattenlaeuferhorn_Info; permanent = 0; important = 0; description = "Du erwähntest früher mal, dass die Versorgung des Klosters stockt."; }; FUNC INT Info_Mod_Myxir_Schattenlaeuferhorn_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Myxir_RestPflanzen)) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Schattenlaeuferhorn_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Schattenlaeuferhorn_15_00"); //Du erwähntest früher mal, dass die Versorgung des Klosters stockt. AI_Output(self, hero, "Info_Mod_Myxir_Schattenlaeuferhorn_28_01"); //Ja, das liegt hauptsächlich an unseren unzuverlässigen Boten. AI_Output(self, hero, "Info_Mod_Myxir_Schattenlaeuferhorn_28_02"); //Scar kann ein Lied davon singen. }; INSTANCE Info_Mod_Myxir_Scar (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Scar_Condition; information = Info_Mod_Myxir_Scar_Info; permanent = 0; important = 0; description = "Was ist mit Scar?"; }; FUNC INT Info_Mod_Myxir_Scar_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Myxir_Schattenlaeuferhorn)) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Scar_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Scar_15_00"); //Was ist mit Scar? AI_Output(self, hero, "Info_Mod_Myxir_Scar_28_01"); //Er handelt eigentlich nicht nur mit Schwertern, sondern auch mit Trophäen. AI_Output(self, hero, "Info_Mod_Myxir_Scar_28_02"); //Aber Bartok, den er losgeschickt hat, lässt sich nicht mehr blicken. AI_Output(self, hero, "Info_Mod_Myxir_Scar_28_03"); //(gehässig) Vielleicht ist er übergelaufen, wer weiß? }; INSTANCE Info_Mod_Myxir_Ruestung (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Ruestung_Condition; information = Info_Mod_Myxir_Ruestung_Info; permanent = 1; important = 0; description = "Kann ich bei dir eine bessere Rüstung bekommen?"; }; FUNC INT Info_Mod_Myxir_Ruestung_Condition() { if (Mod_Gilde == 13) && (Npc_KnowsInfo(hero, Info_Mod_Myxir_HabDieKraeuter)) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Ruestung_Info() { AI_Output(hero, self, "Info_Mod_Myxir_Ruestung_15_00"); //Kann ich bei dir eine bessere Rüstung bekommen? if (Kapitel > 3) && (Mod_ZweiteVerbesserung == FALSE) && (Mod_Gilde == 13) { AI_Output(self, hero, "Info_Mod_Myxir_Ruestung_28_01"); //Ich hab gehört, dass auf dem Weg zur Ausgrabungsstätte der Wassermagier ein Nachtmahr sein soll. Mit dessen Fell könnte ich deine schwarze Magierrobe sicher ein wenig verbessern. Mod_ZweiteVerbesserung = TRUE; }; Info_ClearChoices (Info_Mod_Myxir_Ruestung); Info_AddChoice (Info_Mod_Myxir_Ruestung, DIALOG_BACK, Info_Mod_Myxir_Ruestung_BACK); if (Mod_ZweiteVerbesserung == TRUE) && (Mod_Gilde == 13) { Info_AddChoice (Info_Mod_Myxir_Ruestung, "Schwarze Magierrobe verbessern", Info_Mod_Myxir_Ruestung_KDS_S); }; }; FUNC VOID Info_Mod_Myxir_Ruestung_BACK () { Info_ClearChoices (Info_Mod_Myxir_Ruestung); }; FUNC VOID Info_Mod_Myxir_Ruestung_KDS_S () { AI_Output(hero, self, "Info_Mod_Myxir_Ruestung_KDS_S_15_00"); //Verbessere meine schwarze Magierrobe. if (Npc_HasItems(hero, ItAt_NightmareFur) == 1) && (Npc_HasItems(hero, SChwarzmagierrobe) == 1) { AI_Output(self, hero, "Info_Mod_Myxir_Ruestung_KDS_S_28_01"); //Alles klar. Npc_RemoveInvItems (hero, ItAt_NightmareFur, 1); AI_UnequipArmor (hero); Npc_RemoveInvItems (hero, SChwarzmagierrobe, 1); CreateInvItems (self, ItAr_KDS_S, 1); B_GiveInvItems (self, hero, ItAr_KDS_S, 1); AI_UnequipArmor (hero); AI_EquipArmor (hero, ItAr_KDS_S); Mod_ZweiteVerbesserung = 2; } else if (Npc_HasItems(hero, Schwarzmagierrobe) == 0) { AI_Output(self, hero, "Info_Mod_Myxir_Ruestung_SKR_S_28_02"); //Du musst schon eine schwarze Magierrobe haben, sonst kann ich sie dir nicht verbessern. } else if (Npc_HasItems(hero, ItAt_NightmareFur) == 0) { AI_Output(self, hero, "Info_Mod_Myxir_Ruestung_SKR_S_28_03"); //Wenn du das Nachtmahrfell nicht hast, kann ich deine Robe nicht verbessern. }; Info_ClearChoices (Info_Mod_Myxir_Ruestung); }; INSTANCE Info_Mod_Myxir_Lehrer (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Lehrer_Condition; information = Info_Mod_Myxir_Lehrer_Info; permanent = 0; important = 0; description = "Kannst du mir was beibringen?"; }; FUNC INT Info_Mod_Myxir_Lehrer_Condition() { if ((Mod_Gilde == 12) || (Mod_Gilde == 13) || (Mod_Gilde == 14)) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Lehrer_Info() { B_Say (hero, self, "$KANNSTDUMIRWASBEIBRINGEN"); AI_Output(self, hero, "Info_Mod_Myxir_Lehrer_28_01"); //Ich kann dir zeigen, wie du Menschen, die du getötet hast, Blut abnehmen kannst. Log_CreateTopic (TOPIC_MOD_LEHRER_BELIARFESTUNG, LOG_NOTE); B_LogEntry (TOPIC_MOD_LEHRER_BELIARFESTUNG, "Myxir kann mir zeigen, wie ich toten Menschen Blut abnehmen kann."); }; INSTANCE Info_Mod_Myxir_Blut (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Blut_Condition; information = Info_Mod_Myxir_Blut_Info; permanent = 1; important = 0; description = "Bring mir bei, wie man Menschen Blut abzapft! (1 LP)"; }; FUNC INT Info_Mod_Myxir_Blut_Condition() { Info_Mod_Myxir_Blut.description = B_BuildLearnString("Bring mir bei, wie man Menschen Blut abzapft!", B_GetLearnCostTalent(hero, NPC_TALENT_TAKEANIMALTROPHY, TROPHY_Blood)); if (Npc_KnowsInfo(hero, Info_Mod_Myxir_Lehrer)) && (PLAYER_TALENT_TAKEANIMALTROPHY[TROPHY_Blood] == FALSE) && ((Mod_Gilde == 12) || (Mod_Gilde == 13) || (Mod_Gilde == 14)) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Blut_Info() { AI_Output (hero, self, "Info_Mod_Myxir_Blut_15_00"); //Bring mir bei, wie man Menschen Blut abzapft! if (B_TeachPlayerTalentTakeAnimalTrophy (self, hero, TROPHY_Blood)) { AI_Output (self, other, "Info_Mod_Myxir_Blut_28_01"); //Gut. Hör zu. Es ist im Grunde ganz einfach. AI_Output (self, other, "Info_Mod_Myxir_Blut_28_02"); //Du nimmst eine scharfe Klinge und schneidest dein Opfer irgendwo auf, am besten an der Hauptschlagader. Dann hältst du ein Fläschchen darunter und fängst das Blut ein. }; }; INSTANCE Info_Mod_Myxir_Trade (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Trade_Condition; information = Info_Mod_Myxir_Trade_Info; permanent = 1; important = 0; trade = 1; description = DIALOG_TRADE; }; FUNC INT Info_Mod_Myxir_Trade_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Myxir_RestPflanzen)) { return 1; }; }; FUNC VOID Info_Mod_Myxir_Trade_Info() { Backup_Questitems(); B_GiveTradeInv (self); B_Say (hero, self, "$TRADE_1"); }; INSTANCE Info_Mod_Myxir_Pickpocket (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_Pickpocket_Condition; information = Info_Mod_Myxir_Pickpocket_Info; permanent = 1; important = 0; description = Pickpocket_120; }; FUNC INT Info_Mod_Myxir_Pickpocket_Condition() { C_Beklauen (100, ItPl_Speed_Herb_01, 3); }; FUNC VOID Info_Mod_Myxir_Pickpocket_Info() { Info_ClearChoices (Info_Mod_Myxir_Pickpocket); Info_AddChoice (Info_Mod_Myxir_Pickpocket, DIALOG_BACK, Info_Mod_Myxir_Pickpocket_BACK); Info_AddChoice (Info_Mod_Myxir_Pickpocket, DIALOG_PICKPOCKET, Info_Mod_Myxir_Pickpocket_DoIt); }; FUNC VOID Info_Mod_Myxir_Pickpocket_BACK() { Info_ClearChoices (Info_Mod_Myxir_Pickpocket); }; FUNC VOID Info_Mod_Myxir_Pickpocket_DoIt() { if (B_Beklauen() == TRUE) { Info_ClearChoices (Info_Mod_Myxir_Pickpocket); } else { Info_ClearChoices (Info_Mod_Myxir_Pickpocket); Info_AddChoice (Info_Mod_Myxir_Pickpocket, DIALOG_PP_BESCHIMPFEN, Info_Mod_Myxir_Pickpocket_Beschimpfen); Info_AddChoice (Info_Mod_Myxir_Pickpocket, DIALOG_PP_BESTECHUNG, Info_Mod_Myxir_Pickpocket_Bestechung); Info_AddChoice (Info_Mod_Myxir_Pickpocket, DIALOG_PP_HERAUSREDEN, Info_Mod_Myxir_Pickpocket_Herausreden); }; }; FUNC VOID Info_Mod_Myxir_Pickpocket_Beschimpfen() { B_Say (hero, self, "$PICKPOCKET_BESCHIMPFEN"); B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_Myxir_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); }; FUNC VOID Info_Mod_Myxir_Pickpocket_Bestechung() { B_Say (hero, self, "$PICKPOCKET_BESTECHUNG"); var int rnd; rnd = r_max(99); if (rnd < 25) || ((rnd >= 25) && (rnd < 50) && (Npc_HasItems(hero, ItMi_Gold) < 50)) || ((rnd >= 50) && (rnd < 75) && (Npc_HasItems(hero, ItMi_Gold) < 100)) || ((rnd >= 75) && (rnd < 100) && (Npc_HasItems(hero, ItMi_Gold) < 200)) { B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_Myxir_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); } else { if (rnd >= 75) { B_GiveInvItems (hero, self, ItMi_Gold, 200); } else if (rnd >= 50) { B_GiveInvItems (hero, self, ItMi_Gold, 100); } else if (rnd >= 25) { B_GiveInvItems (hero, self, ItMi_Gold, 50); }; B_Say (self, hero, "$PICKPOCKET_BESTECHUNG_01"); Info_ClearChoices (Info_Mod_Myxir_Pickpocket); AI_StopProcessInfos (self); }; }; FUNC VOID Info_Mod_Myxir_Pickpocket_Herausreden() { B_Say (hero, self, "$PICKPOCKET_HERAUSREDEN"); if (r_max(99) < Mod_Verhandlungsgeschick) { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_01"); Info_ClearChoices (Info_Mod_Myxir_Pickpocket); } else { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_02"); }; }; INSTANCE Info_Mod_Myxir_EXIT (C_INFO) { npc = Mod_515_KDS_Myxir_MT; nr = 1; condition = Info_Mod_Myxir_EXIT_Condition; information = Info_Mod_Myxir_EXIT_Info; permanent = 1; important = 0; description = DIALOG_ENDE; }; FUNC INT Info_Mod_Myxir_EXIT_Condition() { return 1; }; FUNC VOID Info_Mod_Myxir_EXIT_Info() { AI_StopProcessInfos (self); };
D
instance Mod_1787_HEX_Hexe_PAT (Npc_Default) { // ------ NSC ------ name = NAME_hexe; //Coragons Frau / Magd / Bedienung guild = GIL_STRF; id = 1787; voice = 16; flags = 0; npctype = NPCTYPE_pat_hexe; // ------ Attribute ------ B_SetAttributesToChapter (self, 4); // ------ Kampf-Taktik ------ fight_tactic = FAI_HUMAN_strong; // ------ Equippte Waffen ------ // ------ Inventory ------ B_CreateAmbientInv (self); //EquipItem (self, ItMw_1h_Vlk_Dagger); // ------ visuals ------ B_SetNpcVisual (self, FEMALE, "Hum_Head_BabeHair", FaceBabe_N_HairAndCloth, BodyTex_N, ITAR_hexe); Mdl_ApplyOverlayMds (self, "Humans_Babe.mds"); // ------ NSC-relevante Talente vergeben ------ B_GiveNpcTalents (self); // ------ Kampf-Talente ------ B_SetFightSkills (self, 30); // ------ TA anmelden ------ daily_routine = Rtn_Start_1787; }; FUNC VOID Rtn_Start_1787 () { TA_Stand_wp (08,00,17,00,"WP_PAT_LAGER_05_05"); TA_Stand_wp (17,00,08,00,"WP_PAT_LAGER_05_05"); };
D
/* ---------------------------------------------------------------------------- * This file was automatically generated by SWIG (http://www.swig.org). * Version 3.0.0 * * Do not make changes to this file unless you know what you are doing--modify * the SWIG interface file instead. * ----------------------------------------------------------------------------- */ module vtkGPUInfoList; static import vtkd_im; static import core.stdc.config; static import std.conv; static import std.string; static import std.conv; static import std.string; static import vtkObjectBase; static import vtkGPUInfo; static import vtkObject; class vtkGPUInfoList : vtkObject.vtkObject { private void* swigCPtr; public this(void* cObject, bool ownCObject) { super(vtkd_im.vtkGPUInfoList_Upcast(cObject), ownCObject); swigCPtr = cObject; } public static void* swigGetCPtr(vtkGPUInfoList obj) { return (obj is null) ? null : obj.swigCPtr; } mixin vtkd_im.SwigOperatorDefinitions; public override void dispose() { synchronized(this) { if (swigCPtr !is null) { if (swigCMemOwn) { swigCMemOwn = false; throw new object.Exception("C++ destructor does not have public access"); } swigCPtr = null; super.dispose(); } } } public static vtkGPUInfoList New() { void* cPtr = vtkd_im.vtkGPUInfoList_New(); vtkGPUInfoList ret = (cPtr is null) ? null : new vtkGPUInfoList(cPtr, false); return ret; } public static int IsTypeOf(string type) { auto ret = vtkd_im.vtkGPUInfoList_IsTypeOf((type ? std.string.toStringz(type) : null)); return ret; } public static vtkGPUInfoList SafeDownCast(vtkObjectBase.vtkObjectBase o) { void* cPtr = vtkd_im.vtkGPUInfoList_SafeDownCast(vtkObjectBase.vtkObjectBase.swigGetCPtr(o)); vtkGPUInfoList ret = (cPtr is null) ? null : new vtkGPUInfoList(cPtr, false); return ret; } public vtkGPUInfoList NewInstance() const { void* cPtr = vtkd_im.vtkGPUInfoList_NewInstance(cast(void*)swigCPtr); vtkGPUInfoList ret = (cPtr is null) ? null : new vtkGPUInfoList(cPtr, false); return ret; } alias vtkObject.vtkObject.NewInstance NewInstance; public void Probe() { vtkd_im.vtkGPUInfoList_Probe(cast(void*)swigCPtr); } public bool IsProbed() { bool ret = vtkd_im.vtkGPUInfoList_IsProbed(cast(void*)swigCPtr) ? true : false; return ret; } public int GetNumberOfGPUs() { auto ret = vtkd_im.vtkGPUInfoList_GetNumberOfGPUs(cast(void*)swigCPtr); return ret; } public vtkGPUInfo.vtkGPUInfo GetGPUInfo(int i) { void* cPtr = vtkd_im.vtkGPUInfoList_GetGPUInfo(cast(void*)swigCPtr, i); vtkGPUInfo.vtkGPUInfo ret = (cPtr is null) ? null : new vtkGPUInfo.vtkGPUInfo(cPtr, false); return ret; } }
D
/***********************************************************************\ * ocidl.d * * * * Windows API header module * * Part of the Internet Development SDK * * * * Translated from MinGW Windows headers * * * * Placed into public domain * \***********************************************************************/ module win32.ocidl; private import win32.ole2, win32.oleidl, win32.oaidl, win32.objfwd, win32.windef, win32.wtypes; private import win32.objidl; // for CLIPFORMAT private import win32.wingdi; // for TEXTMETRICW private import win32.winuser; // for LPMSG interface IBindHost : IUnknown {} interface IServiceProvider : IUnknown{ HRESULT QueryService(REFGUID,REFIID,void**); } /* // TODO: //private import win32.servprov; // for IServiceProvider // private import win32.urlmon; // for IBindHost. This is not included in MinGW. // win32.urlmon should contain: interface IBindHost : IUnknown { HRESULT CreateMoniker(LPOLESTR szName, IBindCtx pBC, IMoniker* ppmk, DWORD); HRESULT MonikerBindToObject(IMoniker pMk, IBindCtx pBC, IBindStatusCallback pBSC, REFIID, void** ); HRESULT MonikerBindToStorage(IMoniker pMk, IBindCtx pBC, IBindStatusCallback pBSC, REFIID, void** ); } */ //[Yes] #ifndef OLE2ANSI alias TEXTMETRICW TEXTMETRICOLE; //} else { //alias TEXTMETRIC TEXTMETRICOLE; //} alias TEXTMETRICOLE* LPTEXTMETRICOLE; alias DWORD OLE_COLOR; alias UINT OLE_HANDLE; alias int OLE_XPOS_HIMETRIC; alias int OLE_YPOS_HIMETRIC; alias int OLE_XSIZE_HIMETRIC; alias int OLE_YSIZE_HIMETRIC; enum READYSTATE { READYSTATE_UNINITIALIZED = 0, READYSTATE_LOADING = 1, READYSTATE_LOADED = 2, READYSTATE_INTERACTIVE = 3, READYSTATE_COMPLETE = 4 } enum PROPBAG2_TYPE { PROPBAG2_TYPE_UNDEFINED, PROPBAG2_TYPE_DATA, PROPBAG2_TYPE_URL, PROPBAG2_TYPE_OBJECT, PROPBAG2_TYPE_STREAM, PROPBAG2_TYPE_STORAGE, PROPBAG2_TYPE_MONIKER // = 6 } struct PROPBAG2 { DWORD dwType; VARTYPE vt; CLIPFORMAT cfType; DWORD dwHint; LPOLESTR pstrName; CLSID clsid; } enum QACONTAINERFLAGS { QACONTAINER_SHOWHATCHING = 1, QACONTAINER_SHOWGRABHANDLES = 2, QACONTAINER_USERMODE = 4, QACONTAINER_DISPLAYASDEFAULT = 8, QACONTAINER_UIDEAD = 16, QACONTAINER_AUTOCLIP = 32, QACONTAINER_MESSAGEREFLECT = 64, QACONTAINER_SUPPORTSMNEMONICS = 128 } struct QACONTAINER { ULONG cbSize = this.sizeof; IOleClientSite pClientSite; IAdviseSinkEx pAdviseSink; IPropertyNotifySink pPropertyNotifySink; IUnknown pUnkEventSink; DWORD dwAmbientFlags; OLE_COLOR colorFore; OLE_COLOR colorBack; IFont pFont; IOleUndoManager pUndoMgr; DWORD dwAppearance; LONG lcid; HPALETTE hpal; IBindHost pBindHost; IOleControlSite pOleControlSite; IServiceProvider pServiceProvider; } struct QACONTROL { ULONG cbSize = this.sizeof; DWORD dwMiscStatus; DWORD dwViewStatus; DWORD dwEventCookie; DWORD dwPropNotifyCookie; DWORD dwPointerActivationPolicy; } struct POINTF { float x; float y; } alias POINTF* LPPOINTF; struct CONTROLINFO { ULONG cb; HACCEL hAccel; USHORT cAccel; DWORD dwFlags; } alias CONTROLINFO* LPCONTROLINFO; struct CONNECTDATA { LPUNKNOWN pUnk; DWORD dwCookie; } alias CONNECTDATA* LPCONNECTDATA; struct LICINFO { int cbLicInfo; BOOL fRuntimeKeyAvail; BOOL fLicVerified; } alias LICINFO* LPLICINFO; struct CAUUID { ULONG cElems; GUID* pElems; } alias CAUUID* LPCAUUID; struct CALPOLESTR { ULONG cElems; LPOLESTR* pElems; } alias CALPOLESTR* LPCALPOLESTR; struct CADWORD { ULONG cElems; DWORD* pElems; } alias CADWORD* LPCADWORD; struct PROPPAGEINFO { ULONG cb; LPOLESTR pszTitle; SIZE size; LPOLESTR pszDocString; LPOLESTR pszHelpFile; DWORD dwHelpContext; } alias PROPPAGEINFO* LPPROPPAGEINFO; interface IOleControl : IUnknown { HRESULT GetControlInfo(LPCONTROLINFO); HRESULT OnMnemonic(LPMSG); HRESULT OnAmbientPropertyChange(DISPID); HRESULT FreezeEvents(BOOL); } interface IOleControlSite : IUnknown { HRESULT OnControlInfoChanged(); HRESULT LockInPlaceActive(BOOL); HRESULT GetExtendedControl(LPDISPATCH*); HRESULT TransformCoords(POINTL*, POINTF*, DWORD); HRESULT TranslateAccelerator(LPMSG, DWORD); HRESULT OnFocus(BOOL); HRESULT ShowPropertyFrame(); } interface ISimpleFrameSite : IUnknown { HRESULT PreMessageFilter(HWND, UINT, WPARAM, LPARAM, LRESULT*, PDWORD); HRESULT PostMessageFilter(HWND, UINT, WPARAM, LPARAM, LRESULT*, DWORD); } interface IErrorLog : IUnknown { HRESULT AddError(LPCOLESTR, LPEXCEPINFO); } alias IErrorLog LPERRORLOG; interface IPropertyBag : IUnknown { HRESULT Read(LPCOLESTR, LPVARIANT, LPERRORLOG); HRESULT Write(LPCOLESTR, LPVARIANT); } alias IPropertyBag LPPROPERTYBAG; interface IPropertyBag2 : IUnknown { HRESULT Read(ULONG, PROPBAG2*, LPERRORLOG, VARIANT*, HRESULT*); HRESULT Write(ULONG, PROPBAG2*, VARIANT*); HRESULT CountProperties(ULONG*); HRESULT GetPropertyInfo(ULONG, ULONG, PROPBAG2*, ULONG*); HRESULT LoadObject(LPCOLESTR, DWORD, IUnknown, LPERRORLOG); } alias IPropertyBag2 LPPROPERTYBAG2; interface IPersistPropertyBag : IPersist { HRESULT InitNew(); HRESULT Load(LPPROPERTYBAG, LPERRORLOG); HRESULT Save(LPPROPERTYBAG, BOOL, BOOL); } interface IPersistPropertyBag2 : IPersist { HRESULT InitNew(); HRESULT Load(LPPROPERTYBAG2, LPERRORLOG); HRESULT Save(LPPROPERTYBAG2, BOOL, BOOL); HRESULT IsDirty(); } interface IPersistStreamInit : IPersist { HRESULT IsDirty(); HRESULT Load(LPSTREAM); HRESULT Save(LPSTREAM, BOOL); HRESULT GetSizeMax(PULARGE_INTEGER); HRESULT InitNew(); } interface IPersistMemory : IPersist { HRESULT IsDirty(); HRESULT Load(PVOID, ULONG); HRESULT Save(PVOID, BOOL, ULONG); HRESULT GetSizeMax(PULONG); HRESULT InitNew(); } interface IPropertyNotifySink : IUnknown { HRESULT OnChanged(DISPID); HRESULT OnRequestEdit(DISPID); } interface IProvideClassInfo : IUnknown { HRESULT GetClassInfo(LPTYPEINFO*); } interface IProvideClassInfo2 : IProvideClassInfo { HRESULT GetGUID(DWORD, GUID*); } interface IConnectionPointContainer : IUnknown { HRESULT EnumConnectionPoints(LPENUMCONNECTIONPOINTS*); HRESULT FindConnectionPoint(REFIID, LPCONNECTIONPOINT*); } interface IEnumConnectionPoints : IUnknown { HRESULT Next(ULONG, LPCONNECTIONPOINT*, ULONG*); HRESULT Skip(ULONG); HRESULT Reset(); HRESULT Clone(LPENUMCONNECTIONPOINTS*); } alias IEnumConnectionPoints LPENUMCONNECTIONPOINTS; interface IConnectionPoint : IUnknown { HRESULT GetConnectionInterface(IID*); HRESULT GetConnectionPointContainer(IConnectionPointContainer*); HRESULT Advise(LPUNKNOWN, PDWORD); HRESULT Unadvise(DWORD); HRESULT EnumConnections(LPENUMCONNECTIONS*); } alias IConnectionPoint LPCONNECTIONPOINT; interface IEnumConnections : IUnknown { HRESULT Next(ULONG, LPCONNECTDATA, PULONG); HRESULT Skip(ULONG); HRESULT Reset(); HRESULT Clone(LPENUMCONNECTIONS*); } alias IEnumConnections LPENUMCONNECTIONS; interface IClassFactory2 : IClassFactory { HRESULT GetLicInfo(LPLICINFO); HRESULT RequestLicKey(DWORD, BSTR*); HRESULT CreateInstanceLic(LPUNKNOWN, LPUNKNOWN, REFIID, BSTR, PVOID*); } interface ISpecifyPropertyPages : IUnknown { HRESULT GetPages(CAUUID*); } interface IPerPropertyBrowsing : IUnknown { HRESULT GetDisplayString(DISPID, BSTR*); HRESULT MapPropertyToPage(DISPID, LPCLSID); HRESULT GetPredefinedStrings(DISPID, CALPOLESTR*, CADWORD*); HRESULT GetPredefinedValue(DISPID, DWORD, VARIANT*); } interface IPropertyPageSite : IUnknown { HRESULT OnStatusChange(DWORD); HRESULT GetLocaleID(LCID*); HRESULT GetPageContainer(LPUNKNOWN*); HRESULT TranslateAccelerator(LPMSG); } alias IPropertyPageSite LPPROPERTYPAGESITE; interface IPropertyPage : IUnknown { HRESULT SetPageSite(LPPROPERTYPAGESITE); HRESULT Activate(HWND, LPCRECT, BOOL); HRESULT Deactivate(); HRESULT GetPageInfo(LPPROPPAGEINFO); HRESULT SetObjects(ULONG, LPUNKNOWN*); HRESULT Show(UINT); HRESULT Move(LPCRECT); HRESULT IsPageDirty(); HRESULT Apply(); HRESULT Help(LPCOLESTR); HRESULT TranslateAccelerator(LPMSG); } interface IPropertyPage2 : IPropertyPage { HRESULT EditProperty(DISPID); } interface IFont : IUnknown { HRESULT get_Name(BSTR*); HRESULT put_Name(BSTR); HRESULT get_Size(CY*); HRESULT put_Size(CY); HRESULT get_Bold(BOOL*); HRESULT put_Bold(BOOL); HRESULT get_Italic(BOOL*); HRESULT put_Italic(BOOL); HRESULT get_Underline(BOOL*); HRESULT put_Underline(BOOL); HRESULT get_Strikethrough(BOOL*); HRESULT put_Strikethrough(BOOL); HRESULT get_Weight(short*); HRESULT put_Weight(short); HRESULT get_Charset(short*); HRESULT put_Charset(short); HRESULT get_hFont(HFONT*); HRESULT Clone(IFont*); HRESULT IsEqual(IFont); HRESULT SetRatio(int, int); HRESULT QueryTextMetrics(LPTEXTMETRICOLE); HRESULT AddRefHfont(HFONT); HRESULT ReleaseHfont(HFONT); HRESULT SetHdc(HDC); } alias IFont LPFONT; interface IFontDisp : IDispatch { } alias IFontDisp LPFONTDISP; interface IPicture : IUnknown { HRESULT get_Handle(OLE_HANDLE*); HRESULT get_hPal(OLE_HANDLE*); HRESULT get_Type(short*); HRESULT get_Width(OLE_XSIZE_HIMETRIC*); HRESULT get_Height(OLE_YSIZE_HIMETRIC*); HRESULT Render(HDC, int, int, int, int, OLE_XPOS_HIMETRIC, OLE_YPOS_HIMETRIC, OLE_XSIZE_HIMETRIC, OLE_YSIZE_HIMETRIC, LPCRECT); HRESULT set_hPal(OLE_HANDLE); HRESULT get_CurDC(HDC*); HRESULT SelectPicture(HDC, HDC*, OLE_HANDLE*); HRESULT get_KeepOriginalFormat(BOOL*); HRESULT put_KeepOriginalFormat(BOOL); HRESULT PictureChanged(); HRESULT SaveAsFile(LPSTREAM, BOOL, LONG*); HRESULT get_Attributes(PDWORD); } interface IPictureDisp : IDispatch { } interface IOleInPlaceSiteEx : IOleInPlaceSite { HRESULT OnInPlaceActivateEx(BOOL*, DWORD); HRESULT OnInPlaceDeactivateEx(BOOL); HRESULT RequestUIActivate(); } interface IObjectWithSite : IUnknown { HRESULT SetSite(IUnknown); HRESULT GetSite(REFIID, void**); } interface IOleInPlaceSiteWindowless : IOleInPlaceSiteEx { HRESULT CanWindowlessActivate(); HRESULT GetCapture(); HRESULT SetCapture(BOOL); HRESULT GetFocus(); HRESULT SetFocus(BOOL); HRESULT GetDC(LPCRECT, DWORD, HDC*); HRESULT ReleaseDC(HDC); HRESULT InvalidateRect(LPCRECT, BOOL); HRESULT InvalidateRgn(HRGN, BOOL); HRESULT ScrollRect(INT, INT, LPCRECT, LPCRECT); HRESULT AdjustRect(LPCRECT); HRESULT OnDefWindowMessage(UINT, WPARAM, LPARAM, LRESULT*); } interface IAdviseSinkEx : IUnknown { void OnDataChange(FORMATETC*, STGMEDIUM*); void OnViewChange(DWORD, LONG); void OnRename(IMoniker); void OnSave(); void OnClose(); HRESULT OnViewStatusChange(DWORD); } interface IPointerInactive : IUnknown { HRESULT GetActivationPolicy(DWORD*); HRESULT OnInactiveMouseMove(LPCRECT, LONG, LONG, DWORD); HRESULT OnInactiveSetCursor(LPCRECT, LONG, LONG, DWORD, BOOL); } interface IOleUndoUnit : IUnknown { HRESULT Do(LPOLEUNDOMANAGER); HRESULT GetDescription(BSTR*); HRESULT GetUnitType(CLSID*, LONG*); HRESULT OnNextAdd(); } interface IOleParentUndoUnit : IOleUndoUnit { HRESULT Open(IOleParentUndoUnit); HRESULT Close(IOleParentUndoUnit, BOOL); HRESULT Add(IOleUndoUnit); HRESULT FindUnit(IOleUndoUnit); HRESULT GetParentState(DWORD*); } interface IEnumOleUndoUnits : IUnknown { HRESULT Next(ULONG, IOleUndoUnit*, ULONG*); HRESULT Skip(ULONG); HRESULT Reset(); HRESULT Clone(IEnumOleUndoUnits*); } interface IOleUndoManager : IUnknown { HRESULT Open(IOleParentUndoUnit); HRESULT Close(IOleParentUndoUnit, BOOL); HRESULT Add(IOleUndoUnit); HRESULT GetOpenParentState(DWORD*); HRESULT DiscardFrom(IOleUndoUnit); HRESULT UndoTo(IOleUndoUnit); HRESULT RedoTo(IOleUndoUnit); HRESULT EnumUndoable(IEnumOleUndoUnits*); HRESULT EnumRedoable(IEnumOleUndoUnits*); HRESULT GetLastUndoDescription(BSTR*); HRESULT GetLastRedoDescription(BSTR*); HRESULT Enable(BOOL); } alias IOleUndoManager LPOLEUNDOMANAGER; interface IQuickActivate : IUnknown { HRESULT QuickActivate(QACONTAINER*, QACONTROL*); HRESULT SetContentExtent(LPSIZEL); HRESULT GetContentExtent(LPSIZEL); }
D
J.K. Rowling's sixth novel in the Harry Potter series will go on sale on July 16 in Britain, the US, Canada, Australia, New Zealand, South Africa and China. The announcement delighted readers, booksellers, and owners of Bloomsbury Publishing stock, whose shares surged 7%. Within 24 hours, the book shot to Number 1 on Amazon's bestseller list. British police arrested two men for the theft of two copies of the book six weeks before its launch. A Canadian bookstore accidentally sold up to 15 copies about a week early, and a court injunction barred anyone from leaking the plot.
D
// PERMUTE_ARGS: // REQUIRED_ARGS: -D -Dd${RESULTS_DIR}/compilable -o- // POST_SCRIPT: compilable/extra-files/ddocAny-postscript.sh 7 //----------------------------------------------- /// my enum enum E1 { A, /// element a B /// element b } /// my enum enum E2 { /// element a A, /// element b B } /// my enum enum E3 { A /// element a , B /// element b } /// my enum enum E4 { A /// element a , B /// element b } /// my enum enum E5 { /// element a A , /// element b B } /// Some doc void foo() {} /// More doc alias foo bar; /// asdf class C { /// Some doc abstract void foo(); }
D
/** * Module for different parsing tools. * * License: MIT (https://github.com/Royal Programming Language/bl/blob/master/LICENSE) * * Copyright 2019 © Royal Programming Language - All Rights Reserved. */ module parser.tools; import std.container: SList,DList; import std.range : popFront; /// An alias for SList to call it Stack. private alias Stack = SList; /// An alias for DList to call it Queue. private alias Queue = DList; import core.errors; public: /** * Checks whether a given string is a valid number. * Params: * str = The string to validate. * Returns: * True if the string is a valid number. */ bool isNumberValue(bool allowNegative, bool allowFloating)(string str) { bool hasDot = false; bool isNumberValueChar(char c, size_t index) { switch (c) { static if (allowFloating) { case '.': if (!hasDot) { hasDot = true; return index != 0; } return false; } case '0': case '1': case '2': case '3': case '4': case '5': case '6': case '7': case '8': case '9': return true; default: return false; } } foreach (i; 0 .. str.length) { auto c = str[i]; static if (allowNegative) { if (i == 0 && c == '-') { if (str.length == 1) { return false; } continue; } } if (!isNumberValueChar(c, i)) { return false; } } return true; } /** * Splits a string using multiple delimeters. * Params: * str = The string to split. * delis = The delimeters to use for splitting in an AA controlling whether they should be kept or not. * Returns: * An array of the entries splitted by the string. */ string[] splitMultiple(string str, bool[string] delis) { string[] result = []; string current = null; foreach (c; str) { import std.conv : to; import std.algorithm : canFind; auto s = to!string(c); if (s in delis) { if (current && current.length) { result ~= current; } if (delis.get(s, false)) { result ~= s; } current = ""; } else { current ~= s; } } if (current) { result ~= current; } return result; } /** * Creates a shunting yard calculation set from a set of tokens. * Params: * tokens = The tokens to create the calculation set from. * source = The source of the tokens. * line = The line of the tokens. * isMathematicalExpression = Boolean determining whether the tokens are mathematical or not. * queueErrors = Boolean determining whether errors should be printed directly or queued. * Returns: * Returns a set of calculation tokens ordered by the shunting yard algorithm. */ string[] shuntingYardCalculation(string[] tokens, string source, size_t line, bool isMathematicalExpression, bool queueErrors) { if (isMathematicalExpression) { initializeMathOperators(); } else { initializeBooleanOperators(); } import std.array : array; import std.algorithm : reverse; import std.string : strip; auto output = Queue!string([""]); auto operators = Stack!string([""]); foreach (token; tokens) { if (!token || !token.strip.length) { continue; } if (token.isIllegalSymbol) { if (queueErrors) line.queueError(source, "Found illegal symbol in expression: '%s'", token); else line.printError(source, "Found illegal symbol in expression: '%s'", token); return null; } if (!token.isSymbol) { output.enqueue(token); } else if (token.isSymbol && token != "(" && token != ")") { while (operators.peek() != "(") { auto pp = token.prec(operators.peek()); auto isLeft = token.isLeftAssociate; if (isLeft && ((pp == Prec.lowerThan) || ((pp == Prec.lowerThan || pp == Prec.equal)))) { auto operator = operators.pop(); output.enqueue(operator); } else { break; } } operators.push(token); } else if (token == "(") { operators.push(token); } else if (token == ")") { while (!operators.isEmpty && operators.peek() != "(") { auto operator = operators.pop(); output.enqueue(operator); } if (operators.isEmpty || operators.peek() != "(") { if (queueErrors) line.queueError(source, "Missing '(' from expression."); else line.printError(source, "Missing '(' from expression."); return null; } else { operators.pop(); } } } while (!operators.isEmpty) { auto operator = operators.pop(); output.enqueue(operator); } string[] result = []; while (!output.isEmpty) { result ~= output.dequeue(); } return result; } private: /** * Pushes a value to the stack. * Params: * stack = The stack. * value = The value to push. */ void push(T)(Stack!T stack, T value) { stack.insertFront(value); } /** * Pops a value from the stack. * Params: * stack = The stack. * Returns: * The value popped. */ T pop(T)(Stack!T stack) { auto value = stack.front; stack.removeFront(); return value; } /** * Peeks a value from the stack. * Params: * stack = The stack. * Returns: * The value peeked. */ T peek(T)(Stack!T stack) { return stack.front; } /** * Checks whether a stack is empty or not. * Params: * stack = The stack. * Returns: * Returns a boolean determining whether the stack is empty or not. */ bool isEmpty(T)(Stack!T stack) { import std.array : array; return stack.array.length <= 1; } /** * Enqueues a value to the queue. * Params: * queue = The queue. * value = The value to push. */ void enqueue(T)(Queue!T queue, T value) { queue.insertFront(value); } /** * Dequeues a value from the queue. * Params: * queue = The queue. * Returns: * The value dequeued. */ T dequeue(T)(Queue!T queue) { queue.removeBack(); auto value = queue.back; return value; } /** * Peeks a value from the queue. * Params: * queue = The queue. * Returns: * The value peeked. */ T peek(T)(Queue!T queue) { return queue.front; } /** * Checks whether a queue is empty or not. * Params: * queue = The queue. * Returns: * Returns a boolean determining whether the queue is empty or not. */ bool isEmpty(T)(Queue!T queue) { import std.array : array; return queue.array.length <= 1; } /// An operator for an expression. struct OP { /// The precedence of the operator. size_t prec; /// Whether the operator has right association or not. bool rightAssociation; } /// Collection of current valid operators. OP[string] _operators; /// Collection of current invalid operators. OP[string] _illegalOperators; /// Initialized operators for math expressions. void initializeMathOperators() { if (_operators) { _operators.clear(); } if (_illegalOperators) { _illegalOperators.clear(); } // Mathematical Expression: _operators["+"] = OP(1,false); // add _operators["-"] = OP(1,false); // sub _operators["*"] = OP(2,false); // mul _operators["/"] = OP(2,false); // div _operators["%"] = OP(2,false); // mod // Binary Expression: _operators["^"] = OP(3,true); // xor _operators["<<"] = OP(3,true); // shift-left _operators[">>"] = OP(3,true); // shift-right _operators["|"] = OP(3,true); // or _operators["~"] = OP(3,true); // complement _operators["&"] = OP(3,true); // and // pow(x,y) _operators["^^"] = OP(3,true); // power // Boolean Expression: _illegalOperators["||"] = OP(1, true); // or _illegalOperators["&&"] = OP(2, true); // and // Comparison _illegalOperators[">"] = OP(4, true); // greater than _illegalOperators[">="] = OP(4, true); // greater than or equal _illegalOperators["<="] = OP(4, true); // low than or equal _illegalOperators["<"] = OP(4, true); // lower than _illegalOperators["!="] = OP(4, true); // not equal _illegalOperators["!"] = OP(4, true); // false _illegalOperators["!!"] = OP(4, true); // falsey _illegalOperators["=="] = OP(4, true); // equal } /// Initializes operators for boolean expressions. void initializeBooleanOperators() { if (_operators) { _operators.clear(); } if (_illegalOperators) { _illegalOperators.clear(); } // Mathematical Expression: _illegalOperators["+"] = OP(1,false); // add _illegalOperators["-"] = OP(1,false); // sub _illegalOperators["*"] = OP(2,false); // mul _illegalOperators["/"] = OP(2,false); // div _illegalOperators["%"] = OP(2,false); // mod // Binary Expression: _illegalOperators["^"] = OP(3,true); // xor _illegalOperators["<<"] = OP(3,true); // shift-left _illegalOperators[">>"] = OP(3,true); // shift-right _illegalOperators["|"] = OP(3,true); // or _illegalOperators["&"] = OP(3,true); // and // pow(x,y) _illegalOperators["^^"] = OP(3,true); // power // Boolean Expression: _operators["||"] = OP(1, true); // or _operators["&&"] = OP(2, true); // and _operators["~"] = OP(3, false); // concat // Comparison _operators[">"] = OP(4, true); // greater than _operators[">="] = OP(4, true); // greater than or equal _operators["<="] = OP(4, true); // low than or equal _operators["<"] = OP(4, true); // lower than _operators["!="] = OP(4, true); // not equal _operators["!"] = OP(4, true); // false _operators["!!"] = OP(4, true); // falsey _operators["=="] = OP(4, true); // equal } /** * Checks whether a symbol is illegal or not. * Params: * symbol = The symbol to check. * Returns: * Returns true if the symbol is illegal, false otherwise. */ bool isIllegalSymbol(string symbol) { return cast(bool)(symbol in _illegalOperators); } /** * Checks whether a symbol is qualified. * Params: * symbol = The symbol to check. * Returns: * Returns true if the symbol is qualified, false otherwise. */ bool isSymbol(string symbol) { return cast(bool)(symbol in _operators) || symbol == "(" || symbol == ")"; } /// Enumeration of precedences. enum Prec { /// The precedence is lower than. lowerThan, /// The precedence is equal to. equal, /// The precedence is greater than. greaterThan } /** * Gets the precedence between two symbols. * Params: * symbol1 = The first symbol. * symbol2 = The second symbol. * Returns: * Returns the precedence between two symbols. */ Prec prec(string symbol1, string symbol2) { auto p1 = _operators.get(symbol1, OP(0, false)); auto p2 = _operators.get(symbol2, OP(0, p1.rightAssociation)); if ((p1.prec) > (p2.prec)) { return Prec.greaterThan; } else if ((p1.prec) < (p2.prec)) { return Prec.lowerThan; } return Prec.equal; } /** * Checks whether a symbol is left associated or not. * Params: * symbol = The symbol to check. * Returns: * Returns true if the symbol is left associate, false otherwise. */ bool isLeftAssociate(string symbol) { auto p = _operators.get(symbol, OP(0, false)); return !p.rightAssociation; } /** * Checks whether a symbol is right associated or not. * Params: * symbol = The symbol to check. * Returns: * Returns true if the symbol is right associate, false otherwise. */ bool isRightAssociate(string symbol) { return !isLeftAssociate(symbol); }
D
// Written in the D programming language. /** Functions that manipulate other functions. This module provides functions for compile time function composition. These functions are helpful when constructing predicates for the algorithms in $(MREF std, algorithm) or $(MREF std, range). $(SCRIPT inhibitQuickIndex = 1;) $(DIVC quickindex, $(BOOKTABLE , $(TR $(TH Function Name) $(TH Description) ) $(TR $(TD $(LREF adjoin)) $(TD Joins a couple of functions into one that executes the original functions independently and returns a tuple with all the results. )) $(TR $(TD $(LREF compose), $(LREF pipe)) $(TD Join a couple of functions into one that executes the original functions one after the other, using one function's result for the next function's argument. )) $(TR $(TD $(LREF lessThan), $(LREF greaterThan), $(LREF equalTo)) $(TD Ready-made predicate functions to compare two values. )) $(TR $(TD $(LREF memoize)) $(TD Creates a function that caches its result for fast re-evaluation. )) $(TR $(TD $(LREF not)) $(TD Creates a function that negates another. )) $(TR $(TD $(LREF partial)) $(TD Creates a function that binds the first argument of a given function to a given value. )) $(TR $(TD $(LREF curry)) $(TD Converts a multi-argument function into a series of single-argument functions. f(x, y) == curry(f)(x)(y) )) $(TR $(TD $(LREF reverseArgs)) $(TD Predicate that reverses the order of its arguments. )) $(TR $(TD $(LREF toDelegate)) $(TD Converts a callable to a delegate. )) $(TR $(TD $(LREF unaryFun), $(LREF binaryFun)) $(TD Create a unary or binary function from a string. Most often used when defining algorithms on ranges. )) )) Copyright: Copyright Andrei Alexandrescu 2008 - 2009. License: $(HTTP boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: $(HTTP erdani.org, Andrei Alexandrescu) Source: $(PHOBOSSRC std/functional.d) */ /* Copyright Andrei Alexandrescu 2008 - 2009. Distributed under the Boost Software License, Version 1.0. (See accompanying file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt) */ module std.functional; import std.meta : AliasSeq, Reverse; import std.traits : isCallable, Parameters; import std.internal.attributes : betterC; private template needOpCallAlias(alias fun) { /* Determine whether or not unaryFun and binaryFun need to alias to fun or * fun.opCall. Basically, fun is a function object if fun(...) compiles. We * want is(unaryFun!fun) (resp., is(binaryFun!fun)) to be true if fun is * any function object. There are 4 possible cases: * * 1) fun is the type of a function object with static opCall; * 2) fun is an instance of a function object with static opCall; * 3) fun is the type of a function object with non-static opCall; * 4) fun is an instance of a function object with non-static opCall. * * In case (1), is(unaryFun!fun) should compile, but does not if unaryFun * aliases itself to fun, because typeof(fun) is an error when fun itself * is a type. So it must be aliased to fun.opCall instead. All other cases * should be aliased to fun directly. */ static if (is(typeof(fun.opCall) == function)) { enum needOpCallAlias = !is(typeof(fun)) && __traits(compiles, () { return fun(Parameters!fun.init); }); } else enum needOpCallAlias = false; } /** Transforms a `string` representing an expression into a unary function. The `string` must either use symbol name `a` as the parameter or provide the symbol via the `parmName` argument. Params: fun = a `string` or a callable parmName = the name of the parameter if `fun` is a string. Defaults to `"a"`. Returns: If `fun` is a `string`, a new single parameter function If `fun` is not a `string`, an alias to `fun`. */ template unaryFun(alias fun, string parmName = "a") { static if (is(typeof(fun) : string)) { static if (!fun._ctfeMatchUnary(parmName)) { import std.algorithm, std.conv, std.exception, std.math, std.range, std.string; import std.meta, std.traits, std.typecons; } auto unaryFun(ElementType)(auto ref ElementType __a) { mixin("alias " ~ parmName ~ " = __a ;"); return mixin(fun); } } else static if (needOpCallAlias!fun) { // https://issues.dlang.org/show_bug.cgi?id=9906 alias unaryFun = fun.opCall; } else { alias unaryFun = fun; } } /// @safe unittest { // Strings are compiled into functions: alias isEven = unaryFun!("(a & 1) == 0"); assert(isEven(2) && !isEven(1)); } @safe unittest { static int f1(int a) { return a + 1; } static assert(is(typeof(unaryFun!(f1)(1)) == int)); assert(unaryFun!(f1)(41) == 42); int f2(int a) { return a + 1; } static assert(is(typeof(unaryFun!(f2)(1)) == int)); assert(unaryFun!(f2)(41) == 42); assert(unaryFun!("a + 1")(41) == 42); //assert(unaryFun!("return a + 1;")(41) == 42); int num = 41; assert(unaryFun!"a + 1"(num) == 42); // https://issues.dlang.org/show_bug.cgi?id=9906 struct Seen { static bool opCall(int n) { return true; } } static assert(needOpCallAlias!Seen); static assert(is(typeof(unaryFun!Seen(1)))); assert(unaryFun!Seen(1)); Seen s; static assert(!needOpCallAlias!s); static assert(is(typeof(unaryFun!s(1)))); assert(unaryFun!s(1)); struct FuncObj { bool opCall(int n) { return true; } } FuncObj fo; static assert(!needOpCallAlias!fo); static assert(is(typeof(unaryFun!fo))); assert(unaryFun!fo(1)); // Function object with non-static opCall can only be called with an // instance, not with merely the type. static assert(!is(typeof(unaryFun!FuncObj))); } /** Transforms a `string` representing an expression into a binary function. The `string` must either use symbol names `a` and `b` as the parameters or provide the symbols via the `parm1Name` and `parm2Name` arguments. Params: fun = a `string` or a callable parm1Name = the name of the first parameter if `fun` is a string. Defaults to `"a"`. parm2Name = the name of the second parameter if `fun` is a string. Defaults to `"b"`. Returns: If `fun` is not a string, `binaryFun` aliases itself away to `fun`. */ template binaryFun(alias fun, string parm1Name = "a", string parm2Name = "b") { static if (is(typeof(fun) : string)) { static if (!fun._ctfeMatchBinary(parm1Name, parm2Name)) { import std.algorithm, std.conv, std.exception, std.math, std.range, std.string; import std.meta, std.traits, std.typecons; } auto binaryFun(ElementType1, ElementType2) (auto ref ElementType1 __a, auto ref ElementType2 __b) { mixin("alias "~parm1Name~" = __a ;"); mixin("alias "~parm2Name~" = __b ;"); return mixin(fun); } } else static if (needOpCallAlias!fun) { // https://issues.dlang.org/show_bug.cgi?id=9906 alias binaryFun = fun.opCall; } else { alias binaryFun = fun; } } /// @safe unittest { alias less = binaryFun!("a < b"); assert(less(1, 2) && !less(2, 1)); alias greater = binaryFun!("a > b"); assert(!greater("1", "2") && greater("2", "1")); } @safe unittest { static int f1(int a, string b) { return a + 1; } static assert(is(typeof(binaryFun!(f1)(1, "2")) == int)); assert(binaryFun!(f1)(41, "a") == 42); string f2(int a, string b) { return b ~ "2"; } static assert(is(typeof(binaryFun!(f2)(1, "1")) == string)); assert(binaryFun!(f2)(1, "4") == "42"); assert(binaryFun!("a + b")(41, 1) == 42); //@@BUG //assert(binaryFun!("return a + b;")(41, 1) == 42); // https://issues.dlang.org/show_bug.cgi?id=9906 struct Seen { static bool opCall(int x, int y) { return true; } } static assert(is(typeof(binaryFun!Seen))); assert(binaryFun!Seen(1,1)); struct FuncObj { bool opCall(int x, int y) { return true; } } FuncObj fo; static assert(!needOpCallAlias!fo); static assert(is(typeof(binaryFun!fo))); assert(unaryFun!fo(1,1)); // Function object with non-static opCall can only be called with an // instance, not with merely the type. static assert(!is(typeof(binaryFun!FuncObj))); } // skip all ASCII chars except a .. z, A .. Z, 0 .. 9, '_' and '.'. private uint _ctfeSkipOp(ref string op) { if (!__ctfe) assert(false); import std.ascii : isASCII, isAlphaNum; immutable oldLength = op.length; while (op.length) { immutable front = op[0]; if (front.isASCII() && !(front.isAlphaNum() || front == '_' || front == '.')) op = op[1..$]; else break; } return oldLength != op.length; } // skip all digits private uint _ctfeSkipInteger(ref string op) { if (!__ctfe) assert(false); import std.ascii : isDigit; immutable oldLength = op.length; while (op.length) { immutable front = op[0]; if (front.isDigit()) op = op[1..$]; else break; } return oldLength != op.length; } // skip name private uint _ctfeSkipName(ref string op, string name) { if (!__ctfe) assert(false); if (op.length >= name.length && op[0 .. name.length] == name) { op = op[name.length..$]; return 1; } return 0; } // returns 1 if `fun` is trivial unary function private uint _ctfeMatchUnary(string fun, string name) { if (!__ctfe) assert(false); fun._ctfeSkipOp(); for (;;) { immutable h = fun._ctfeSkipName(name) + fun._ctfeSkipInteger(); if (h == 0) { fun._ctfeSkipOp(); break; } else if (h == 1) { if (!fun._ctfeSkipOp()) break; } else return 0; } return fun.length == 0; } @safe unittest { static assert(!_ctfeMatchUnary("sqrt(ё)", "ё")); static assert(!_ctfeMatchUnary("ё.sqrt", "ё")); static assert(!_ctfeMatchUnary(".ё+ё", "ё")); static assert(!_ctfeMatchUnary("_ё+ё", "ё")); static assert(!_ctfeMatchUnary("ёё", "ё")); static assert(_ctfeMatchUnary("a+a", "a")); static assert(_ctfeMatchUnary("a + 10", "a")); static assert(_ctfeMatchUnary("4 == a", "a")); static assert(_ctfeMatchUnary("2 == a", "a")); static assert(_ctfeMatchUnary("1 != a", "a")); static assert(_ctfeMatchUnary("a != 4", "a")); static assert(_ctfeMatchUnary("a< 1", "a")); static assert(_ctfeMatchUnary("434 < a", "a")); static assert(_ctfeMatchUnary("132 > a", "a")); static assert(_ctfeMatchUnary("123 >a", "a")); static assert(_ctfeMatchUnary("a>82", "a")); static assert(_ctfeMatchUnary("ё>82", "ё")); static assert(_ctfeMatchUnary("ё[ё(ё)]", "ё")); static assert(_ctfeMatchUnary("ё[21]", "ё")); } // returns 1 if `fun` is trivial binary function private uint _ctfeMatchBinary(string fun, string name1, string name2) { if (!__ctfe) assert(false); fun._ctfeSkipOp(); for (;;) { immutable h = fun._ctfeSkipName(name1) + fun._ctfeSkipName(name2) + fun._ctfeSkipInteger(); if (h == 0) { fun._ctfeSkipOp(); break; } else if (h == 1) { if (!fun._ctfeSkipOp()) break; } else return 0; } return fun.length == 0; } @safe unittest { static assert(!_ctfeMatchBinary("sqrt(ё)", "ё", "b")); static assert(!_ctfeMatchBinary("ё.sqrt", "ё", "b")); static assert(!_ctfeMatchBinary(".ё+ё", "ё", "b")); static assert(!_ctfeMatchBinary("_ё+ё", "ё", "b")); static assert(!_ctfeMatchBinary("ёё", "ё", "b")); static assert(_ctfeMatchBinary("a+a", "a", "b")); static assert(_ctfeMatchBinary("a + 10", "a", "b")); static assert(_ctfeMatchBinary("4 == a", "a", "b")); static assert(_ctfeMatchBinary("2 == a", "a", "b")); static assert(_ctfeMatchBinary("1 != a", "a", "b")); static assert(_ctfeMatchBinary("a != 4", "a", "b")); static assert(_ctfeMatchBinary("a< 1", "a", "b")); static assert(_ctfeMatchBinary("434 < a", "a", "b")); static assert(_ctfeMatchBinary("132 > a", "a", "b")); static assert(_ctfeMatchBinary("123 >a", "a", "b")); static assert(_ctfeMatchBinary("a>82", "a", "b")); static assert(_ctfeMatchBinary("ё>82", "ё", "q")); static assert(_ctfeMatchBinary("ё[ё(10)]", "ё", "q")); static assert(_ctfeMatchBinary("ё[21]", "ё", "q")); static assert(!_ctfeMatchBinary("sqrt(ё)+b", "b", "ё")); static assert(!_ctfeMatchBinary("ё.sqrt-b", "b", "ё")); static assert(!_ctfeMatchBinary(".ё+b", "b", "ё")); static assert(!_ctfeMatchBinary("_b+ё", "b", "ё")); static assert(!_ctfeMatchBinary("ba", "b", "a")); static assert(_ctfeMatchBinary("a+b", "b", "a")); static assert(_ctfeMatchBinary("a + b", "b", "a")); static assert(_ctfeMatchBinary("b == a", "b", "a")); static assert(_ctfeMatchBinary("b == a", "b", "a")); static assert(_ctfeMatchBinary("b != a", "b", "a")); static assert(_ctfeMatchBinary("a != b", "b", "a")); static assert(_ctfeMatchBinary("a< b", "b", "a")); static assert(_ctfeMatchBinary("b < a", "b", "a")); static assert(_ctfeMatchBinary("b > a", "b", "a")); static assert(_ctfeMatchBinary("b >a", "b", "a")); static assert(_ctfeMatchBinary("a>b", "b", "a")); static assert(_ctfeMatchBinary("ё>b", "b", "ё")); static assert(_ctfeMatchBinary("b[ё(-1)]", "b", "ё")); static assert(_ctfeMatchBinary("ё[-21]", "b", "ё")); } //undocumented template safeOp(string S) if (S=="<"||S==">"||S=="<="||S==">="||S=="=="||S=="!=") { import std.traits : isIntegral; private bool unsafeOp(ElementType1, ElementType2)(ElementType1 a, ElementType2 b) pure if (isIntegral!ElementType1 && isIntegral!ElementType2) { import std.traits : CommonType; alias T = CommonType!(ElementType1, ElementType2); return mixin("cast(T)a "~S~" cast(T) b"); } bool safeOp(T0, T1)(auto ref T0 a, auto ref T1 b) { import std.traits : mostNegative; static if (isIntegral!T0 && isIntegral!T1 && (mostNegative!T0 < 0) != (mostNegative!T1 < 0)) { static if (S == "<=" || S == "<") { static if (mostNegative!T0 < 0) immutable result = a < 0 || unsafeOp(a, b); else immutable result = b >= 0 && unsafeOp(a, b); } else { static if (mostNegative!T0 < 0) immutable result = a >= 0 && unsafeOp(a, b); else immutable result = b < 0 || unsafeOp(a, b); } } else { static assert(is(typeof(mixin("a "~S~" b"))), "Invalid arguments: Cannot compare types " ~ T0.stringof ~ " and " ~ T1.stringof ~ "."); immutable result = mixin("a "~S~" b"); } return result; } } @safe unittest //check user defined types { import std.algorithm.comparison : equal; struct Foo { int a; auto opEquals(Foo foo) { return a == foo.a; } } assert(safeOp!"!="(Foo(1), Foo(2))); } /** Predicate that returns $(D_PARAM a < b). Correctly compares signed and unsigned integers, ie. -1 < 2U. */ alias lessThan = safeOp!"<"; /// pure @safe @nogc nothrow unittest { assert(lessThan(2, 3)); assert(lessThan(2U, 3U)); assert(lessThan(2, 3.0)); assert(lessThan(-2, 3U)); assert(lessThan(2, 3U)); assert(!lessThan(3U, -2)); assert(!lessThan(3U, 2)); assert(!lessThan(0, 0)); assert(!lessThan(0U, 0)); assert(!lessThan(0, 0U)); } /** Predicate that returns $(D_PARAM a > b). Correctly compares signed and unsigned integers, ie. 2U > -1. */ alias greaterThan = safeOp!">"; /// @safe unittest { assert(!greaterThan(2, 3)); assert(!greaterThan(2U, 3U)); assert(!greaterThan(2, 3.0)); assert(!greaterThan(-2, 3U)); assert(!greaterThan(2, 3U)); assert(greaterThan(3U, -2)); assert(greaterThan(3U, 2)); assert(!greaterThan(0, 0)); assert(!greaterThan(0U, 0)); assert(!greaterThan(0, 0U)); } /** Predicate that returns $(D_PARAM a == b). Correctly compares signed and unsigned integers, ie. !(-1 == ~0U). */ alias equalTo = safeOp!"=="; /// @safe unittest { assert(equalTo(0U, 0)); assert(equalTo(0, 0U)); assert(!equalTo(-1, ~0U)); } /** N-ary predicate that reverses the order of arguments, e.g., given $(D pred(a, b, c)), returns $(D pred(c, b, a)). Params: pred = A callable Returns: A function which calls `pred` after reversing the given parameters */ template reverseArgs(alias pred) { auto reverseArgs(Args...)(auto ref Args args) if (is(typeof(pred(Reverse!args)))) { return pred(Reverse!args); } } /// @safe unittest { alias gt = reverseArgs!(binaryFun!("a < b")); assert(gt(2, 1) && !gt(1, 1)); } /// @safe unittest { int x = 42; bool xyz(int a, int b) { return a * x < b / x; } auto foo = &xyz; foo(4, 5); alias zyx = reverseArgs!(foo); assert(zyx(5, 4) == foo(4, 5)); } /// @safe unittest { alias gt = reverseArgs!(binaryFun!("a < b")); assert(gt(2, 1) && !gt(1, 1)); int x = 42; bool xyz(int a, int b) { return a * x < b / x; } auto foo = &xyz; foo(4, 5); alias zyx = reverseArgs!(foo); assert(zyx(5, 4) == foo(4, 5)); } /// @safe unittest { int abc(int a, int b, int c) { return a * b + c; } alias cba = reverseArgs!abc; assert(abc(91, 17, 32) == cba(32, 17, 91)); } /// @safe unittest { int a(int a) { return a * 2; } alias _a = reverseArgs!a; assert(a(2) == _a(2)); } /// @safe unittest { int b() { return 4; } alias _b = reverseArgs!b; assert(b() == _b()); } /** Negates predicate `pred`. Params: pred = A string or a callable Returns: A function which calls `pred` and returns the logical negation of its return value. */ template not(alias pred) { auto not(T...)(auto ref T args) { static if (is(typeof(!pred(args)))) return !pred(args); else static if (T.length == 1) return !unaryFun!pred(args); else static if (T.length == 2) return !binaryFun!pred(args); else static assert(0); } } /// @safe unittest { import std.algorithm.searching : find; import std.uni : isWhite; string a = " Hello, world!"; assert(find!(not!isWhite)(a) == "Hello, world!"); } @safe unittest { assert(not!"a != 5"(5)); assert(not!"a != b"(5, 5)); assert(not!(() => false)()); assert(not!(a => a != 5)(5)); assert(not!((a, b) => a != b)(5, 5)); assert(not!((a, b, c) => a * b * c != 125 )(5, 5, 5)); } /** $(LINK2 http://en.wikipedia.org/wiki/Partial_application, Partially applies) $(D_PARAM fun) by tying its first argument to $(D_PARAM arg). Params: fun = A callable arg = The first argument to apply to `fun` Returns: A new function which calls `fun` with `arg` plus the passed parameters. */ template partial(alias fun, alias arg) { import std.traits : isCallable; // Check whether fun is a user defined type which implements opCall or a template. // As opCall itself can be templated, std.traits.isCallable does not work here. enum isSomeFunctor = (is(typeof(fun) == struct) || is(typeof(fun) == class)) && __traits(hasMember, fun, "opCall"); static if (isSomeFunctor || __traits(isTemplate, fun)) { auto partial(Ts...)(Ts args2) { static if (is(typeof(fun(arg, args2)))) { return fun(arg, args2); } else { static string errormsg() { string msg = "Cannot call '" ~ fun.stringof ~ "' with arguments " ~ "(" ~ arg.stringof; foreach (T; Ts) msg ~= ", " ~ T.stringof; msg ~= ")."; return msg; } static assert(0, errormsg()); } } } else static if (!isCallable!fun) { static assert(false, "Cannot apply partial to a non-callable '" ~ fun.stringof ~ "'."); } else // Assume fun is callable and uniquely defined. { static if (Parameters!fun.length == 0) { static assert(0, "Cannot partially apply '" ~ fun.stringof ~ "'." ~ "'" ~ fun.stringof ~ "' has 0 arguments."); } else static if (!is(typeof(arg) : Parameters!fun[0])) { string errorMsg() { string msg = "Argument mismatch for '" ~ fun.stringof ~ "': expected " ~ Parameters!fun[0].stringof ~ ", but got " ~ typeof(arg).stringof ~ "."; return msg; } static assert(0, errorMsg()); } else { import std.traits : ReturnType; ReturnType!fun partial(Parameters!fun[1..$] args2) { return fun(arg, args2); } } } } /// @safe unittest { int fun(int a, int b) { return a + b; } alias fun5 = partial!(fun, 5); assert(fun5(6) == 11); // Note that in most cases you'd use an alias instead of a value // assignment. Using an alias allows you to partially evaluate template // functions without committing to a particular type of the function. } // tests for partially evaluating callables @safe unittest { static int f1(int a, int b) { return a + b; } assert(partial!(f1, 5)(6) == 11); int f2(int a, int b) { return a + b; } int x = 5; assert(partial!(f2, x)(6) == 11); x = 7; assert(partial!(f2, x)(6) == 13); static assert(partial!(f2, 5)(6) == 11); auto dg = &f2; auto f3 = &partial!(dg, x); assert(f3(6) == 13); static int funOneArg(int a) { return a; } assert(partial!(funOneArg, 1)() == 1); static int funThreeArgs(int a, int b, int c) { return a + b + c; } alias funThreeArgs1 = partial!(funThreeArgs, 1); assert(funThreeArgs1(2, 3) == 6); static assert(!is(typeof(funThreeArgs1(2)))); enum xe = 5; alias fe = partial!(f2, xe); static assert(fe(6) == 11); } // tests for partially evaluating templated/overloaded callables @safe unittest { static auto add(A, B)(A x, B y) { return x + y; } alias add5 = partial!(add, 5); assert(add5(6) == 11); static assert(!is(typeof(add5()))); static assert(!is(typeof(add5(6, 7)))); // taking address of templated partial evaluation needs explicit type auto dg = &add5!(int); assert(dg(6) == 11); int x = 5; alias addX = partial!(add, x); assert(addX(6) == 11); static struct Callable { static string opCall(string a, string b) { return a ~ b; } int opCall(int a, int b) { return a * b; } double opCall(double a, double b) { return a + b; } } Callable callable; assert(partial!(Callable, "5")("6") == "56"); assert(partial!(callable, 5)(6) == 30); assert(partial!(callable, 7.0)(3.0) == 7.0 + 3.0); static struct TCallable { auto opCall(A, B)(A a, B b) { return a + b; } } TCallable tcallable; assert(partial!(tcallable, 5)(6) == 11); static assert(!is(typeof(partial!(tcallable, "5")(6)))); static struct NonCallable{} static assert(!__traits(compiles, partial!(NonCallable, 5)), "Partial should not work on non-callable structs."); static assert(!__traits(compiles, partial!(NonCallable.init, 5)), "Partial should not work on instances of non-callable structs."); static A funOneArg(A)(A a) { return a; } alias funOneArg1 = partial!(funOneArg, 1); assert(funOneArg1() == 1); static auto funThreeArgs(A, B, C)(A a, B b, C c) { return a + b + c; } alias funThreeArgs1 = partial!(funThreeArgs, 1); assert(funThreeArgs1(2, 3) == 6); static assert(!is(typeof(funThreeArgs1(1)))); auto dg2 = &funOneArg1!(); assert(dg2() == 1); } // Fix https://issues.dlang.org/show_bug.cgi?id=15732 @safe unittest { // Test whether it works with functions. auto partialFunction(){ auto fullFunction = (float a, float b, float c) => a + b / c; alias apply1 = partial!(fullFunction, 1); return &apply1; } auto result = partialFunction()(2, 4); assert(result == 1.5f); // And with delegates. auto partialDelegate(float c){ auto fullDelegate = (float a, float b) => a + b / c; alias apply1 = partial!(fullDelegate, 1); return &apply1; } auto result2 = partialDelegate(4)(2); assert(result2 == 1.5f); } /** Takes a function of (potentially) many arguments, and returns a function taking one argument and returns a callable taking the rest. f(x, y) == curry(f)(x)(y) Params: F = a function taking at least one argument t = a callable object whose opCall takes at least 1 object Returns: A single parameter callable object */ template curry(alias F) if (isCallable!F && Parameters!F.length) { //inspired from the implementation from Artur Skawina here: //https://forum.dlang.org/post/mailman.1626.1340110492.24740.digitalmars-d@puremagic.com //This implementation stores a copy of all filled in arguments with each curried result //this way, the curried functions are independent and don't share any references //eg: auto fc = curry!f; auto fc1 = fc(1); auto fc2 = fc(2); fc1(3) != fc2(3) struct CurryImpl(size_t N) { alias FParams = Parameters!F; FParams[0 .. N] storedArguments; static if (N > 0) { this(U : FParams[N - 1])(ref CurryImpl!(N - 1) prev, ref U arg) { storedArguments[0 .. N - 1] = prev.storedArguments[]; storedArguments[N-1] = arg; } } auto opCall(U : FParams[N])(auto ref U arg) return scope { static if (N == FParams.length - 1) { return F(storedArguments, arg); } else { return CurryImpl!(N + 1)(this, arg); } } } auto curry() { CurryImpl!0 res; return res; // return CurryImpl!0.init segfaults for delegates on Windows } } /// pure @safe @nogc nothrow unittest { int f(int x, int y, int z) { return x + y + z; } auto cf = curry!f; auto cf1 = cf(1); auto cf2 = cf(2); assert(cf1(2)(3) == f(1, 2, 3)); assert(cf2(2)(3) == f(2, 2, 3)); } ///ditto auto curry(T)(T t) if (isCallable!T && Parameters!T.length) { static auto fun(ref T inst, ref Parameters!T args) { return inst(args); } return curry!fun()(t); } /// pure @safe @nogc nothrow unittest { //works with callable structs too struct S { int w; int opCall(int x, int y, int z) { return w + x + y + z; } } S s; s.w = 5; auto cs = curry(s); auto cs1 = cs(1); auto cs2 = cs(2); assert(cs1(2)(3) == s(1, 2, 3)); assert(cs1(2)(3) == (1 + 2 + 3 + 5)); assert(cs2(2)(3) ==s(2, 2, 3)); } @safe pure @nogc nothrow unittest { //currying a single argument function does nothing int pork(int a){ return a*2;} auto curryPork = curry!pork; assert(curryPork(0) == pork(0)); assert(curryPork(1) == pork(1)); assert(curryPork(-1) == pork(-1)); assert(curryPork(1000) == pork(1000)); //test 2 argument function double mixedVeggies(double a, int b, bool) { return a + b; } auto mixedCurry = curry!mixedVeggies; assert(mixedCurry(10)(20)(false) == mixedVeggies(10, 20, false)); assert(mixedCurry(100)(200)(true) == mixedVeggies(100, 200, true)); // struct with opCall struct S { double opCall(int x, double y, short z) const pure nothrow @nogc { return x*y*z; } } S s; auto curriedStruct = curry(s); assert(curriedStruct(1)(2)(short(3)) == s(1, 2, short(3))); assert(curriedStruct(300)(20)(short(10)) == s(300, 20, short(10))); } pure @safe nothrow unittest { auto cfl = curry!((double a, int b) => a + b); assert(cfl(13)(2) == 15); int c = 42; auto cdg = curry!((double a, int b) => a + b + c); assert(cdg(13)(2) == 57); static class C { int opCall(int mult, int add) pure @safe nothrow @nogc scope { return mult * 42 + add; } } scope C ci = new C(); scope cc = curry(ci); assert(cc(2)(4) == ci(2, 4)); } // Disallows callables without parameters pure @safe @nogc nothrow unittest { static void noargs() {} static assert(!__traits(compiles, curry!noargs())); static struct NoArgs { void opCall() {} } static assert(!__traits(compiles, curry(NoArgs.init))); } private template Iota(size_t n) { static if (n == 0) alias Iota = AliasSeq!(); else alias Iota = AliasSeq!(Iota!(n - 1), n - 1); } /** Takes multiple functions and adjoins them together. Params: F = the call-able(s) to adjoin Returns: A new function which returns a $(REF Tuple, std,typecons). Each of the elements of the tuple will be the return values of `F`. Note: In the special case where only a single function is provided ($(D F.length == 1)), adjoin simply aliases to the single passed function (`F[0]`). */ template adjoin(F...) if (F.length == 1) { alias adjoin = F[0]; } /// ditto template adjoin(F...) if (F.length > 1) { auto adjoin(V...)(auto ref V a) { import std.typecons : tuple; import std.meta : staticMap; auto resultElement(size_t i)() { return F[i](a); } return tuple(staticMap!(resultElement, Iota!(F.length))); } } /// @safe unittest { import std.typecons : Tuple; static bool f1(int a) { return a != 0; } static int f2(int a) { return a / 2; } auto x = adjoin!(f1, f2)(5); assert(is(typeof(x) == Tuple!(bool, int))); assert(x[0] == true && x[1] == 2); } @safe unittest { import std.typecons : Tuple; static bool F1(int a) { return a != 0; } auto x1 = adjoin!(F1)(5); static int F2(int a) { return a / 2; } auto x2 = adjoin!(F1, F2)(5); assert(is(typeof(x2) == Tuple!(bool, int))); assert(x2[0] && x2[1] == 2); auto x3 = adjoin!(F1, F2, F2)(5); assert(is(typeof(x3) == Tuple!(bool, int, int))); assert(x3[0] && x3[1] == 2 && x3[2] == 2); bool F4(int a) { return a != x1; } alias eff4 = adjoin!(F4); static struct S { bool delegate(int) @safe store; int fun() { return 42 + store(5); } } S s; s.store = (int a) { return eff4(a); }; auto x4 = s.fun(); assert(x4 == 43); } @safe unittest { import std.meta : staticMap; import std.typecons : Tuple, tuple; alias funs = staticMap!(unaryFun, "a", "a * 2", "a * 3", "a * a", "-a"); alias afun = adjoin!funs; assert(afun(5) == tuple(5, 10, 15, 25, -5)); static class C{} alias IC = immutable(C); IC foo(){return typeof(return).init;} Tuple!(IC, IC, IC, IC) ret1 = adjoin!(foo, foo, foo, foo)(); static struct S{int* p;} alias IS = immutable(S); IS bar(){return typeof(return).init;} enum Tuple!(IS, IS, IS, IS) ret2 = adjoin!(bar, bar, bar, bar)(); } // https://issues.dlang.org/show_bug.cgi?id=21347 @safe @betterC unittest { alias f = (int n) => n + 1; alias g = (int n) => n + 2; alias h = (int n) => n + 3; alias i = (int n) => n + 4; auto result = adjoin!(f, g, h, i)(0); assert(result[0] == 1); assert(result[1] == 2); assert(result[2] == 3); assert(result[3] == 4); } /** Composes passed-in functions $(D fun[0], fun[1], ...). Params: fun = the call-able(s) or `string`(s) to compose into one function Returns: A new function `f(x)` that in turn returns `fun[0](fun[1](...(x)))...`. See_Also: $(LREF pipe) */ template compose(fun...) if (fun.length > 0) { static if (fun.length == 1) { alias compose = unaryFun!(fun[0]); } else { alias fun0 = unaryFun!(fun[0]); alias rest = compose!(fun[1 .. $]); auto compose(Args...)(Args args) { return fun0(rest(args)); } } } /// @safe unittest { import std.algorithm.comparison : equal; import std.algorithm.iteration : map; import std.array : split; import std.conv : to; // First split a string in whitespace-separated tokens and then // convert each token into an integer assert(compose!(map!(to!(int)), split)("1 2 3").equal([1, 2, 3])); } // https://issues.dlang.org/show_bug.cgi?id=6484 @safe unittest { int f(int a) { return a; } int g(int a) { return a; } int h(int a,int b,int c) { return a * b * c; } alias F = compose!(f,g,h); assert(F(1,2,3) == f(g(h(1,2,3)))); } /** Pipes functions in sequence. Offers the same functionality as $(D compose), but with functions specified in reverse order. This may lead to more readable code in some situation because the order of execution is the same as lexical order. Params: fun = the call-able(s) or `string`(s) to compose into one function Returns: A new function `f(x)` that in turn returns `fun[$-1](...fun[1](fun[0](x)))...`. Example: ---- // Read an entire text file, split the resulting string in // whitespace-separated tokens, and then convert each token into an // integer int[] a = pipe!(readText, split, map!(to!(int)))("file.txt"); ---- See_Also: $(LREF compose) */ alias pipe(fun...) = compose!(Reverse!(fun)); /// @safe unittest { import std.conv : to; string foo(int a) { return to!(string)(a); } int bar(string a) { return to!(int)(a) + 1; } double baz(int a) { return a + 0.5; } assert(compose!(baz, bar, foo)(1) == 2.5); assert(pipe!(foo, bar, baz)(1) == 2.5); assert(compose!(baz, `to!(int)(a) + 1`, foo)(1) == 2.5); assert(compose!(baz, bar)("1"[]) == 2.5); assert(compose!(baz, bar)("1") == 2.5); assert(compose!(`a + 0.5`, `to!(int)(a) + 1`, foo)(1) == 2.5); } /** * $(LINK2 https://en.wikipedia.org/wiki/Memoization, Memoizes) a function so as * to avoid repeated computation. The memoization structure is a hash table keyed by a * tuple of the function's arguments. There is a speed gain if the * function is repeatedly called with the same arguments and is more * expensive than a hash table lookup. For more information on memoization, refer to $(HTTP docs.google.com/viewer?url=http%3A%2F%2Fhop.perl.plover.com%2Fbook%2Fpdf%2F03CachingAndMemoization.pdf, this book chapter). Example: ---- double transmogrify(int a, string b) { ... expensive computation ... } alias fastTransmogrify = memoize!transmogrify; unittest { auto slow = transmogrify(2, "hello"); auto fast = fastTransmogrify(2, "hello"); assert(slow == fast); } ---- Params: fun = the call-able to memozie maxSize = The maximum size of the GC buffer to hold the return values Returns: A new function which calls `fun` and caches its return values. Note: Technically the memoized function should be pure because `memoize` assumes it will always return the same result for a given tuple of arguments. However, `memoize` does not enforce that because sometimes it is useful to memoize an impure function, too. */ template memoize(alias fun) { import std.traits : ReturnType; // https://issues.dlang.org/show_bug.cgi?id=13580 // alias Args = Parameters!fun; ReturnType!fun memoize(Parameters!fun args) { alias Args = Parameters!fun; import std.typecons : Tuple; import std.traits : Unqual; static Unqual!(ReturnType!fun)[Tuple!Args] memo; auto t = Tuple!Args(args); if (auto p = t in memo) return *p; auto r = fun(args); memo[t] = r; return r; } } /// ditto template memoize(alias fun, uint maxSize) { import std.traits : ReturnType; // https://issues.dlang.org/show_bug.cgi?id=13580 // alias Args = Parameters!fun; ReturnType!fun memoize(Parameters!fun args) { import std.meta : staticMap; import std.traits : hasIndirections, Unqual; import std.typecons : tuple; static struct Value { staticMap!(Unqual, Parameters!fun) args; Unqual!(ReturnType!fun) res; } static Value[] memo; static size_t[] initialized; if (!memo.length) { import core.memory : GC; // Ensure no allocation overflows static assert(maxSize < size_t.max / Value.sizeof); static assert(maxSize < size_t.max - (8 * size_t.sizeof - 1)); enum attr = GC.BlkAttr.NO_INTERIOR | (hasIndirections!Value ? 0 : GC.BlkAttr.NO_SCAN); memo = (cast(Value*) GC.malloc(Value.sizeof * maxSize, attr))[0 .. maxSize]; enum nwords = (maxSize + 8 * size_t.sizeof - 1) / (8 * size_t.sizeof); initialized = (cast(size_t*) GC.calloc(nwords * size_t.sizeof, attr | GC.BlkAttr.NO_SCAN))[0 .. nwords]; } import core.bitop : bt, bts; import core.lifetime : emplace; size_t hash; foreach (ref arg; args) hash = hashOf(arg, hash); // cuckoo hashing immutable idx1 = hash % maxSize; if (!bt(initialized.ptr, idx1)) { emplace(&memo[idx1], args, fun(args)); // only set to initialized after setting args and value // https://issues.dlang.org/show_bug.cgi?id=14025 bts(initialized.ptr, idx1); return memo[idx1].res; } else if (memo[idx1].args == args) return memo[idx1].res; // FNV prime immutable idx2 = (hash * 16_777_619) % maxSize; if (!bt(initialized.ptr, idx2)) { emplace(&memo[idx2], memo[idx1]); bts(initialized.ptr, idx2); } else if (memo[idx2].args == args) return memo[idx2].res; else if (idx1 != idx2) memo[idx2] = memo[idx1]; memo[idx1] = Value(args, fun(args)); return memo[idx1].res; } } /** * To _memoize a recursive function, simply insert the memoized call in lieu of the plain recursive call. * For example, to transform the exponential-time Fibonacci implementation into a linear-time computation: */ @safe nothrow unittest { ulong fib(ulong n) @safe nothrow { return n < 2 ? n : memoize!fib(n - 2) + memoize!fib(n - 1); } assert(fib(10) == 55); } /** * To improve the speed of the factorial function, */ @safe unittest { ulong fact(ulong n) @safe { return n < 2 ? 1 : n * memoize!fact(n - 1); } assert(fact(10) == 3628800); } /** * This memoizes all values of `fact` up to the largest argument. To only cache the final * result, move `memoize` outside the function as shown below. */ @safe unittest { ulong factImpl(ulong n) @safe { return n < 2 ? 1 : n * factImpl(n - 1); } alias fact = memoize!factImpl; assert(fact(10) == 3628800); } /** * When the `maxSize` parameter is specified, memoize will used * a fixed size hash table to limit the number of cached entries. */ @system unittest // not @safe due to memoize { ulong fact(ulong n) { // Memoize no more than 8 values return n < 2 ? 1 : n * memoize!(fact, 8)(n - 1); } assert(fact(8) == 40320); // using more entries than maxSize will overwrite existing entries assert(fact(10) == 3628800); } @system unittest // not @safe due to memoize { import core.math : sqrt; alias msqrt = memoize!(function double(double x) { return sqrt(x); }); auto y = msqrt(2.0); assert(y == msqrt(2.0)); y = msqrt(4.0); assert(y == sqrt(4.0)); // alias mrgb2cmyk = memoize!rgb2cmyk; // auto z = mrgb2cmyk([43, 56, 76]); // assert(z == mrgb2cmyk([43, 56, 76])); //alias mfib = memoize!fib; static ulong fib(ulong n) @safe { alias mfib = memoize!fib; return n < 2 ? 1 : mfib(n - 2) + mfib(n - 1); } auto z = fib(10); assert(z == 89); static ulong fact(ulong n) @safe { alias mfact = memoize!fact; return n < 2 ? 1 : n * mfact(n - 1); } assert(fact(10) == 3628800); // https://issues.dlang.org/show_bug.cgi?id=12568 static uint len2(const string s) { // Error alias mLen2 = memoize!len2; if (s.length == 0) return 0; else return 1 + mLen2(s[1 .. $]); } int _func(int x) @safe { return 1; } alias func = memoize!(_func, 10); assert(func(int.init) == 1); assert(func(int.init) == 1); } // https://issues.dlang.org/show_bug.cgi?id=16079 // memoize should work with arrays @system unittest // not @safe with -dip1000 due to memoize { int executed = 0; T median(T)(const T[] nums) { import std.algorithm.sorting : sort; executed++; auto arr = nums.dup; arr.sort(); if (arr.length % 2) return arr[$ / 2]; else return (arr[$ / 2 - 1] + arr[$ / 2]) / 2; } alias fastMedian = memoize!(median!int); assert(fastMedian([7, 5, 3]) == 5); assert(fastMedian([7, 5, 3]) == 5); assert(executed == 1); } // https://issues.dlang.org/show_bug.cgi?id=16079: memoize should work with structs @safe unittest { int executed = 0; T pickFirst(T)(T first) { executed++; return first; } struct Foo { int k; } Foo A = Foo(3); alias first = memoize!(pickFirst!Foo); assert(first(Foo(3)) == A); assert(first(Foo(3)) == A); assert(executed == 1); } // https://issues.dlang.org/show_bug.cgi?id=20439 memoize should work with void opAssign @safe unittest { static struct S { void opAssign(S) {} } assert(memoize!(() => S()) == S()); } // https://issues.dlang.org/show_bug.cgi?id=16079: memoize should work with classes @system unittest // not @safe with -dip1000 due to memoize { int executed = 0; T pickFirst(T)(T first) { executed++; return first; } class Bar { size_t k; this(size_t k) { this.k = k; } override size_t toHash() { return k; } override bool opEquals(Object o) { auto b = cast(Bar) o; return b && k == b.k; } } alias firstClass = memoize!(pickFirst!Bar); assert(firstClass(new Bar(3)).k == 3); assert(firstClass(new Bar(3)).k == 3); assert(executed == 1); } // https://issues.dlang.org/show_bug.cgi?id=20302 @system unittest { version (none) // TODO change `none` to `all` and fix remaining limitations struct S { const int len; } else struct S { int len; } static string fun000( string str, S s) { return str[0 .. s.len] ~ "123"; } static string fun001( string str, const S s) { return str[0 .. s.len] ~ "123"; } static string fun010(const string str, S s) { return str[0 .. s.len] ~ "123"; } static string fun011(const string str, const S s) { return str[0 .. s.len] ~ "123"; } static const(string) fun100( string str, S s) { return str[0 .. s.len] ~ "123"; } static const(string) fun101( string str, const S s) { return str[0 .. s.len] ~ "123"; } static const(string) fun110(const string str, S s) { return str[0 .. s.len] ~ "123"; } static const(string) fun111(const string str, const S s) { return str[0 .. s.len] ~ "123"; } static foreach (fun; AliasSeq!(fun000, fun001, fun010, fun011, fun100, fun101, fun110, fun111)) {{ alias mfun = memoize!fun; assert(mfun("abcdefgh", S(3)) == "abc123"); alias mfun2 = memoize!(fun, 42); assert(mfun2("asd", S(3)) == "asd123"); }} } private struct DelegateFaker(F) { import std.typecons : FuncInfo, MemberFunctionGenerator; // for @safe static F castToF(THIS)(THIS x) @trusted { return cast(F) x; } /* * What all the stuff below does is this: *-------------------- * struct DelegateFaker(F) { * extern(linkage) * [ref] ReturnType!F doIt(Parameters!F args) [@attributes] * { * auto fp = cast(F) &this; * return fp(args); * } * } *-------------------- */ // We will use MemberFunctionGenerator in std.typecons. This is a policy // configuration for generating the doIt(). template GeneratingPolicy() { // Inform the genereator that we only have type information. enum WITHOUT_SYMBOL = true; // Generate the function body of doIt(). template generateFunctionBody(unused...) { enum generateFunctionBody = // [ref] ReturnType doIt(Parameters args) @attributes q{ // When this function gets called, the this pointer isn't // really a this pointer (no instance even really exists), but // a function pointer that points to the function to be called. // Cast it to the correct type and call it. auto fp = castToF(&this); return fp(args); }; } } // Type information used by the generated code. alias FuncInfo_doIt = FuncInfo!(F); // Generate the member function doIt(). mixin( MemberFunctionGenerator!(GeneratingPolicy!()) .generateFunction!("FuncInfo_doIt", "doIt", F) ); } /** * Convert a callable to a delegate with the same parameter list and * return type, avoiding heap allocations and use of auxiliary storage. * * Params: * fp = a function pointer or an aggregate type with `opCall` defined. * Returns: * A delegate with the context pointer pointing to nothing. * * Example: * ---- * void doStuff() { * writeln("Hello, world."); * } * * void runDelegate(void delegate() myDelegate) { * myDelegate(); * } * * auto delegateToPass = toDelegate(&doStuff); * runDelegate(delegateToPass); // Calls doStuff, prints "Hello, world." * ---- * * BUGS: * $(UL * $(LI Does not work with `@safe` functions.) * $(LI Ignores C-style / D-style variadic arguments.) * ) */ auto toDelegate(F)(auto ref F fp) if (isCallable!(F)) { static if (is(F == delegate)) { return fp; } else static if (is(typeof(&F.opCall) == delegate) || (is(typeof(&F.opCall) V : V*) && is(V == function))) { return toDelegate(&fp.opCall); } else { alias DelType = typeof(&(new DelegateFaker!(F)).doIt); static struct DelegateFields { union { DelType del; //pragma(msg, typeof(del)); struct { void* contextPtr; void* funcPtr; } } } // fp is stored in the returned delegate's context pointer. // The returned delegate's function pointer points to // DelegateFaker.doIt. DelegateFields df; df.contextPtr = cast(void*) fp; DelegateFaker!(F) dummy; auto dummyDel = &dummy.doIt; df.funcPtr = dummyDel.funcptr; return df.del; } } /// @system unittest { static int inc(ref uint num) { num++; return 8675309; } uint myNum = 0; auto incMyNumDel = toDelegate(&inc); auto returnVal = incMyNumDel(myNum); assert(myNum == 1); } @system unittest // not @safe due to toDelegate { static int inc(ref uint num) { num++; return 8675309; } uint myNum = 0; auto incMyNumDel = toDelegate(&inc); int delegate(ref uint) dg = incMyNumDel; auto returnVal = incMyNumDel(myNum); assert(myNum == 1); interface I { int opCall(); } class C: I { int opCall() { inc(myNum); return myNum;} } auto c = new C; auto i = cast(I) c; auto getvalc = toDelegate(c); assert(getvalc() == 2); auto getvali = toDelegate(i); assert(getvali() == 3); struct S1 { int opCall() { inc(myNum); return myNum; } } static assert(!is(typeof(&s1.opCall) == delegate)); S1 s1; auto getvals1 = toDelegate(s1); assert(getvals1() == 4); struct S2 { static int opCall() { return 123456; } } static assert(!is(typeof(&S2.opCall) == delegate)); S2 s2; auto getvals2 =&S2.opCall; assert(getvals2() == 123456); /* test for attributes */ { static int refvar = 0xDeadFace; static ref int func_ref() { return refvar; } static int func_pure() pure { return 1; } static int func_nothrow() nothrow { return 2; } static int func_property() @property { return 3; } static int func_safe() @safe { return 4; } static int func_trusted() @trusted { return 5; } static int func_system() @system { return 6; } static int func_pure_nothrow() pure nothrow { return 7; } static int func_pure_nothrow_safe() pure nothrow @safe { return 8; } auto dg_ref = toDelegate(&func_ref); int delegate() pure dg_pure = toDelegate(&func_pure); int delegate() nothrow dg_nothrow = toDelegate(&func_nothrow); int delegate() @property dg_property = toDelegate(&func_property); int delegate() @safe dg_safe = toDelegate(&func_safe); int delegate() @trusted dg_trusted = toDelegate(&func_trusted); int delegate() @system dg_system = toDelegate(&func_system); int delegate() pure nothrow dg_pure_nothrow = toDelegate(&func_pure_nothrow); int delegate() @safe pure nothrow dg_pure_nothrow_safe = toDelegate(&func_pure_nothrow_safe); //static assert(is(typeof(dg_ref) == ref int delegate())); // [BUG@DMD] assert(dg_ref() == refvar); assert(dg_pure() == 1); assert(dg_nothrow() == 2); assert(dg_property() == 3); assert(dg_safe() == 4); assert(dg_trusted() == 5); assert(dg_system() == 6); assert(dg_pure_nothrow() == 7); assert(dg_pure_nothrow_safe() == 8); } /* test for linkage */ { struct S { extern(C) static void xtrnC() {} extern(D) static void xtrnD() {} } auto dg_xtrnC = toDelegate(&S.xtrnC); auto dg_xtrnD = toDelegate(&S.xtrnD); static assert(! is(typeof(dg_xtrnC) == typeof(dg_xtrnD))); } } // forward used to be here but was moved to druntime template forward(args...) { import core.lifetime : fun = forward; alias forward = fun!args; }
D
module UnrealScript.Engine.NxCylindricalForceField; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.Engine.NxForceField; extern(C++) interface NxCylindricalForceField : NxForceField { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class Engine.NxCylindricalForceField")); } private static __gshared NxCylindricalForceField mDefaultProperties; @property final static NxCylindricalForceField DefaultProperties() { mixin(MGDPC("NxCylindricalForceField", "NxCylindricalForceField Engine.Default__NxCylindricalForceField")); } @property final { auto ref { Pointer Kernel() { mixin(MGPC("Pointer", 580)); } float HeightOffset() { mixin(MGPC("float", 572)); } float ForceHeight() { mixin(MGPC("float", 568)); } float EscapeVelocity() { mixin(MGPC("float", 564)); } float LiftFalloffHeight() { mixin(MGPC("float", 560)); } float ForceTopRadius() { mixin(MGPC("float", 556)); } float ForceRadius() { mixin(MGPC("float", 552)); } float LiftStrength() { mixin(MGPC("float", 548)); } float RotationalStrength() { mixin(MGPC("float", 544)); } float RadialStrength() { mixin(MGPC("float", 540)); } } bool UseSpecialRadialForce() { mixin(MGBPC(576, 0x1)); } bool UseSpecialRadialForce(bool val) { mixin(MSBPC(576, 0x1)); } } }
D
/Users/netnorimingconception/utils/GeoFence/Build/Intermediates/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Do.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/Do~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/Do~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
/Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/build/TestProjectForSibersCompanyByKurilovP.build/Debug-iphonesimulator/TestProjectForSibersCompanyByKurilovP.build/Objects-normal/x86_64/NetworkRequests.o : /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Extensions/UIImageView+Cache.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/ErrorResponse.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/AppDelegate.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterImageScreen/CharactersImageViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/CharacterDetailViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/ChararcterDetailCellViewModels/CharacterImageCellViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/ChararcterCellViewModels/CharacterTableCellViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/ChararcterDetailCellViewModels/ChararcterDetailCellViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/CharactersListViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/Cells/CharacterImageTableCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/Cells/CharacterDetailTableCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/Cells/CharacterTableCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Base/DefaultCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharacterImageViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharacterDetailViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharacterDetailTableCellViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharactersListTableCellViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharactersListViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/DiscardableImageCacheItem.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Origin.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Location.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Extensions/UITextField+ClearButton.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Info.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/NetworkManager.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterImageScreen/CharactersImageController.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/СharacterDetailController.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/CharactersListController.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/HudHelper.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Character.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/NetworkManagerError.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/CharactersListCoordinator.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/Requests/RequestFeeds.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Extensions/UIColor+AppColors.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/Requests/NetworkRequests.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/ReachabilityConnect.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/Result.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/Constant.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/NetworkEndpoint.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Base/Alert.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterImageScreen/CharacterImageView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/build/TestProjectForSibersCompanyByKurilovP.build/Debug-iphonesimulator/TestProjectForSibersCompanyByKurilovP.build/Objects-normal/x86_64/NetworkRequests~partial.swiftmodule : /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Extensions/UIImageView+Cache.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/ErrorResponse.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/AppDelegate.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterImageScreen/CharactersImageViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/CharacterDetailViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/ChararcterDetailCellViewModels/CharacterImageCellViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/ChararcterCellViewModels/CharacterTableCellViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/ChararcterDetailCellViewModels/ChararcterDetailCellViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/CharactersListViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/Cells/CharacterImageTableCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/Cells/CharacterDetailTableCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/Cells/CharacterTableCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Base/DefaultCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharacterImageViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharacterDetailViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharacterDetailTableCellViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharactersListTableCellViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharactersListViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/DiscardableImageCacheItem.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Origin.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Location.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Extensions/UITextField+ClearButton.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Info.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/NetworkManager.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterImageScreen/CharactersImageController.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/СharacterDetailController.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/CharactersListController.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/HudHelper.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Character.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/NetworkManagerError.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/CharactersListCoordinator.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/Requests/RequestFeeds.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Extensions/UIColor+AppColors.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/Requests/NetworkRequests.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/ReachabilityConnect.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/Result.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/Constant.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/NetworkEndpoint.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Base/Alert.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterImageScreen/CharacterImageView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/build/TestProjectForSibersCompanyByKurilovP.build/Debug-iphonesimulator/TestProjectForSibersCompanyByKurilovP.build/Objects-normal/x86_64/NetworkRequests~partial.swiftdoc : /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Extensions/UIImageView+Cache.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/ErrorResponse.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/AppDelegate.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterImageScreen/CharactersImageViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/CharacterDetailViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/ChararcterDetailCellViewModels/CharacterImageCellViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/ChararcterCellViewModels/CharacterTableCellViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/ChararcterDetailCellViewModels/ChararcterDetailCellViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/CharactersListViewModel.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/Cells/CharacterImageTableCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/Cells/CharacterDetailTableCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/Cells/CharacterTableCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Base/DefaultCell.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharacterImageViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharacterDetailViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharacterDetailTableCellViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharactersListTableCellViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Protocols/CharactersListViewModelProtocol.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/DiscardableImageCacheItem.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Origin.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Location.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Extensions/UITextField+ClearButton.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Info.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/NetworkManager.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterImageScreen/CharactersImageController.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterDetailScreen/СharacterDetailController.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/CharactersListController.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/HudHelper.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Models/Character.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/NetworkManagerError.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharactersListScreen/CharactersListCoordinator.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/Requests/RequestFeeds.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Extensions/UIColor+AppColors.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/Requests/NetworkRequests.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/ReachabilityConnect.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/Result.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Helper/Constant.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Service/NetworkEndpoint.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Base/Alert.swift /Users/pavelkurilov/Library/Mobile\ Documents/com~apple~CloudDocs/TestProjectForSibersCompanyByKurilovP/TestProjectForSibersCompanyByKurilovP/Screens/CharacterImageScreen/CharacterImageView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/******************************************** * Encode and decode UTF-8, UTF-16 and UTF-32 strings. * * For Win32 systems, the C wchar_t type is UTF-16 and corresponds to the D * wchar type. * For Posix systems, the C wchar_t type is UTF-32 and corresponds to * the D utf.dchar type. * * UTF character support is restricted to (\u0000 &lt;= character &lt;= \U0010FFFF). * * See_Also: * $(LINK2 http://en.wikipedia.org/wiki/Unicode, Wikipedia)<br> * $(LINK http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8)<br> * $(LINK http://anubis.dkuug.dk/JTC1/SC2/WG2/docs/n1335) * Macros: * WIKI = Phobos/StdUtf * * Copyright: Copyright Digital Mars 2003 - 2009. * License: $(WEB www.boost.org/LICENSE_1_0.txt, Boost License 1.0). * Authors: Walter Bright, Sean Kelly */ /* Copyright Digital Mars 2003 - 2009. * Distributed under the Boost Software License, Version 1.0. * (See accompanying file LICENSE or copy at * http://www.boost.org/LICENSE_1_0.txt) */ module rt.util.utf; extern (C) void onUnicodeError( string msg, size_t idx, string file = __FILE__, size_t line = __LINE__ ); /******************************* * Test if c is a valid UTF-32 character. * * \uFFFE and \uFFFF are considered valid by this function, * as they are permitted for internal use by an application, * but they are not allowed for interchange by the Unicode standard. * * Returns: true if it is, false if not. */ bool isValidDchar(dchar c) { /* Note: FFFE and FFFF are specifically permitted by the * Unicode standard for application internal use, but are not * allowed for interchange. * (thanks to Arcane Jill) */ return c < 0xD800 || (c > 0xDFFF && c <= 0x10FFFF /*&& c != 0xFFFE && c != 0xFFFF*/); } unittest { debug(utf) printf("utf.isValidDchar.unittest\n"); assert(isValidDchar(cast(dchar)'a') == true); assert(isValidDchar(cast(dchar)0x1FFFFF) == false); } static immutable UTF8stride = [ cast(ubyte) 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1, 0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF, 0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF, 0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF, 0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF, 2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2, 2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2, 3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3, 4,4,4,4,4,4,4,4,5,5,5,5,6,6,0xFF,0xFF, ]; /** * stride() returns the length of a UTF-8 sequence starting at index i * in string s. * Returns: * The number of bytes in the UTF-8 sequence or * 0xFF meaning s[i] is not the start of of UTF-8 sequence. */ uint stride(in char[] s, size_t i) { return UTF8stride[s[i]]; } /** * stride() returns the length of a UTF-16 sequence starting at index i * in string s. */ uint stride(in wchar[] s, size_t i) { uint u = s[i]; return 1 + (u >= 0xD800 && u <= 0xDBFF); } /** * stride() returns the length of a UTF-32 sequence starting at index i * in string s. * Returns: The return value will always be 1. */ uint stride(in dchar[] s, size_t i) { return 1; } /******************************************* * Given an index i into an array of characters s[], * and assuming that index i is at the start of a UTF character, * determine the number of UCS characters up to that index i. */ size_t toUCSindex(in char[] s, size_t i) { size_t n; size_t j; for (j = 0; j < i; ) { j += stride(s, j); n++; } if (j > i) { onUnicodeError("invalid UTF-8 sequence", j); } return n; } /** ditto */ size_t toUCSindex(in wchar[] s, size_t i) { size_t n; size_t j; for (j = 0; j < i; ) { j += stride(s, j); n++; } if (j > i) { onUnicodeError("invalid UTF-16 sequence", j); } return n; } /** ditto */ size_t toUCSindex(in dchar[] s, size_t i) { return i; } /****************************************** * Given a UCS index n into an array of characters s[], return the UTF index. */ size_t toUTFindex(in char[] s, size_t n) { size_t i; while (n--) { uint j = UTF8stride[s[i]]; if (j == 0xFF) onUnicodeError("invalid UTF-8 sequence", i); i += j; } return i; } /** ditto */ size_t toUTFindex(in wchar[] s, size_t n) { size_t i; while (n--) { wchar u = s[i]; i += 1 + (u >= 0xD800 && u <= 0xDBFF); } return i; } /** ditto */ size_t toUTFindex(in dchar[] s, size_t n) { return n; } /* =================== Decode ======================= */ /*************** * Decodes and returns character starting at s[idx]. idx is advanced past the * decoded character. If the character is not well formed, a UtfException is * thrown and idx remains unchanged. */ dchar decode(in char[] s, ref size_t idx) in { assert(idx >= 0 && idx < s.length); } out (result) { assert(isValidDchar(result)); } body { size_t len = s.length; dchar V; size_t i = idx; char u = s[i]; if (u & 0x80) { uint n; char u2; /* The following encodings are valid, except for the 5 and 6 byte * combinations: * 0xxxxxxx * 110xxxxx 10xxxxxx * 1110xxxx 10xxxxxx 10xxxxxx * 11110xxx 10xxxxxx 10xxxxxx 10xxxxxx * 111110xx 10xxxxxx 10xxxxxx 10xxxxxx 10xxxxxx * 1111110x 10xxxxxx 10xxxxxx 10xxxxxx 10xxxxxx 10xxxxxx */ for (n = 1; ; n++) { if (n > 4) goto Lerr; // only do the first 4 of 6 encodings if (((u << n) & 0x80) == 0) { if (n == 1) goto Lerr; break; } } // Pick off (7 - n) significant bits of B from first byte of octet V = cast(dchar)(u & ((1 << (7 - n)) - 1)); if (i + (n - 1) >= len) goto Lerr; // off end of string /* The following combinations are overlong, and illegal: * 1100000x (10xxxxxx) * 11100000 100xxxxx (10xxxxxx) * 11110000 1000xxxx (10xxxxxx 10xxxxxx) * 11111000 10000xxx (10xxxxxx 10xxxxxx 10xxxxxx) * 11111100 100000xx (10xxxxxx 10xxxxxx 10xxxxxx 10xxxxxx) */ u2 = s[i + 1]; if ((u & 0xFE) == 0xC0 || (u == 0xE0 && (u2 & 0xE0) == 0x80) || (u == 0xF0 && (u2 & 0xF0) == 0x80) || (u == 0xF8 && (u2 & 0xF8) == 0x80) || (u == 0xFC && (u2 & 0xFC) == 0x80)) goto Lerr; // overlong combination for (uint j = 1; j != n; j++) { u = s[i + j]; if ((u & 0xC0) != 0x80) goto Lerr; // trailing bytes are 10xxxxxx V = (V << 6) | (u & 0x3F); } if (!isValidDchar(V)) goto Lerr; i += n; } else { V = cast(dchar) u; i++; } idx = i; return V; Lerr: onUnicodeError("invalid UTF-8 sequence", i); return V; // dummy return } unittest { size_t i; dchar c; debug(utf) printf("utf.decode.unittest\n"); static s1 = "abcd"c; i = 0; c = decode(s1, i); assert(c == cast(dchar)'a'); assert(i == 1); c = decode(s1, i); assert(c == cast(dchar)'b'); assert(i == 2); static s2 = "\xC2\xA9"c; i = 0; c = decode(s2, i); assert(c == cast(dchar)'\u00A9'); assert(i == 2); static s3 = "\xE2\x89\xA0"c; i = 0; c = decode(s3, i); assert(c == cast(dchar)'\u2260'); assert(i == 3); static s4 = [ "\xE2\x89"c[], // too short "\xC0\x8A", "\xE0\x80\x8A", "\xF0\x80\x80\x8A", "\xF8\x80\x80\x80\x8A", "\xFC\x80\x80\x80\x80\x8A", ]; for (int j = 0; j < s4.length; j++) { try { i = 0; c = decode(s4[j], i); assert(0); } catch (Throwable o) { i = 23; } assert(i == 23); } } /** ditto */ dchar decode(in wchar[] s, ref size_t idx) in { assert(idx >= 0 && idx < s.length); } out (result) { assert(isValidDchar(result)); } body { string msg; dchar V; size_t i = idx; uint u = s[i]; if (u & ~0x7F) { if (u >= 0xD800 && u <= 0xDBFF) { uint u2; if (i + 1 == s.length) { msg = "surrogate UTF-16 high value past end of string"; goto Lerr; } u2 = s[i + 1]; if (u2 < 0xDC00 || u2 > 0xDFFF) { msg = "surrogate UTF-16 low value out of range"; goto Lerr; } u = ((u - 0xD7C0) << 10) + (u2 - 0xDC00); i += 2; } else if (u >= 0xDC00 && u <= 0xDFFF) { msg = "unpaired surrogate UTF-16 value"; goto Lerr; } else if (u == 0xFFFE || u == 0xFFFF) { msg = "illegal UTF-16 value"; goto Lerr; } else i++; } else { i++; } idx = i; return cast(dchar)u; Lerr: onUnicodeError(msg, i); return cast(dchar)u; // dummy return } /** ditto */ dchar decode(in dchar[] s, ref size_t idx) in { assert(idx >= 0 && idx < s.length); } body { size_t i = idx; dchar c = s[i]; if (!isValidDchar(c)) goto Lerr; idx = i + 1; return c; Lerr: onUnicodeError("invalid UTF-32 value", i); return c; // dummy return } /* =================== Encode ======================= */ /******************************* * Encodes character c and appends it to array s[]. */ void encode(ref char[] s, dchar c) in { assert(isValidDchar(c)); } body { char[] r = s; if (c <= 0x7F) { r ~= cast(char) c; } else { char[4] buf; uint L; if (c <= 0x7FF) { buf[0] = cast(char)(0xC0 | (c >> 6)); buf[1] = cast(char)(0x80 | (c & 0x3F)); L = 2; } else if (c <= 0xFFFF) { buf[0] = cast(char)(0xE0 | (c >> 12)); buf[1] = cast(char)(0x80 | ((c >> 6) & 0x3F)); buf[2] = cast(char)(0x80 | (c & 0x3F)); L = 3; } else if (c <= 0x10FFFF) { buf[0] = cast(char)(0xF0 | (c >> 18)); buf[1] = cast(char)(0x80 | ((c >> 12) & 0x3F)); buf[2] = cast(char)(0x80 | ((c >> 6) & 0x3F)); buf[3] = cast(char)(0x80 | (c & 0x3F)); L = 4; } else { assert(0); } r ~= buf[0 .. L]; } s = r; } unittest { debug(utf) printf("utf.encode.unittest\n"); char[] s = "abcd".dup; encode(s, cast(dchar)'a'); assert(s.length == 5); assert(s == "abcda"); encode(s, cast(dchar)'\u00A9'); assert(s.length == 7); assert(s == "abcda\xC2\xA9"); //assert(s == "abcda\u00A9"); // BUG: fix compiler encode(s, cast(dchar)'\u2260'); assert(s.length == 10); assert(s == "abcda\xC2\xA9\xE2\x89\xA0"); } /** ditto */ void encode(ref wchar[] s, dchar c) in { assert(isValidDchar(c)); } body { wchar[] r = s; if (c <= 0xFFFF) { r ~= cast(wchar) c; } else { wchar[2] buf; buf[0] = cast(wchar) ((((c - 0x10000) >> 10) & 0x3FF) + 0xD800); buf[1] = cast(wchar) (((c - 0x10000) & 0x3FF) + 0xDC00); r ~= buf; } s = r; } /** ditto */ void encode(ref dchar[] s, dchar c) in { assert(isValidDchar(c)); } body { s ~= c; } /** Returns the code length of $(D c) in the encoding using $(D C) as a code point. The code is returned in character count, not in bytes. */ ubyte codeLength(C)(dchar c) { static if (C.sizeof == 1) { if (c <= 0x7F) return 1; if (c <= 0x7FF) return 2; if (c <= 0xFFFF) return 3; if (c <= 0x10FFFF) return 4; assert(false); } else static if (C.sizeof == 2) { return c <= 0xFFFF ? 1 : 2; } else { static assert(C.sizeof == 4); return 1; } } /* =================== Validation ======================= */ /*********************************** Checks to see if string is well formed or not. $(D S) can be an array of $(D char), $(D wchar), or $(D dchar). Throws a $(D UtfException) if it is not. Use to check all untrusted input for correctness. */ void validate(S)(in S s) { auto len = s.length; for (size_t i = 0; i < len; ) { decode(s, i); } } /* =================== Conversion to UTF8 ======================= */ char[] toUTF8(return out char[4] buf, dchar c) in { assert(isValidDchar(c)); } body { if (c <= 0x7F) { buf[0] = cast(char) c; return buf[0 .. 1]; } else if (c <= 0x7FF) { buf[0] = cast(char)(0xC0 | (c >> 6)); buf[1] = cast(char)(0x80 | (c & 0x3F)); return buf[0 .. 2]; } else if (c <= 0xFFFF) { buf[0] = cast(char)(0xE0 | (c >> 12)); buf[1] = cast(char)(0x80 | ((c >> 6) & 0x3F)); buf[2] = cast(char)(0x80 | (c & 0x3F)); return buf[0 .. 3]; } else if (c <= 0x10FFFF) { buf[0] = cast(char)(0xF0 | (c >> 18)); buf[1] = cast(char)(0x80 | ((c >> 12) & 0x3F)); buf[2] = cast(char)(0x80 | ((c >> 6) & 0x3F)); buf[3] = cast(char)(0x80 | (c & 0x3F)); return buf[0 .. 4]; } assert(0); } /******************* * Encodes string s into UTF-8 and returns the encoded string. */ string toUTF8(string s) in { validate(s); } body { return s; } /** ditto */ string toUTF8(in wchar[] s) { char[] r; size_t i; size_t slen = s.length; r.length = slen; for (i = 0; i < slen; i++) { wchar c = s[i]; if (c <= 0x7F) r[i] = cast(char)c; // fast path for ascii else { r.length = i; foreach (dchar c; s[i .. slen]) { encode(r, c); } break; } } return cast(string)r; } /** ditto */ string toUTF8(in dchar[] s) { char[] r; size_t i; size_t slen = s.length; r.length = slen; for (i = 0; i < slen; i++) { dchar c = s[i]; if (c <= 0x7F) r[i] = cast(char)c; // fast path for ascii else { r.length = i; foreach (dchar d; s[i .. slen]) { encode(r, d); } break; } } return cast(string)r; } /* =================== Conversion to UTF16 ======================= */ wchar[] toUTF16(return out wchar[2] buf, dchar c) in { assert(isValidDchar(c)); } body { if (c <= 0xFFFF) { buf[0] = cast(wchar) c; return buf[0 .. 1]; } else { buf[0] = cast(wchar) ((((c - 0x10000) >> 10) & 0x3FF) + 0xD800); buf[1] = cast(wchar) (((c - 0x10000) & 0x3FF) + 0xDC00); return buf[0 .. 2]; } } /**************** * Encodes string s into UTF-16 and returns the encoded string. * toUTF16z() is suitable for calling the 'W' functions in the Win32 API that take * an LPWSTR or LPCWSTR argument. */ wstring toUTF16(in char[] s) { wchar[] r; size_t slen = s.length; r.length = slen; r.length = 0; for (size_t i = 0; i < slen; ) { dchar c = s[i]; if (c <= 0x7F) { i++; r ~= cast(wchar)c; } else { c = decode(s, i); encode(r, c); } } return cast(wstring)r; } alias const(wchar)* wptr; /** ditto */ wptr toUTF16z(in char[] s) { wchar[] r; size_t slen = s.length; r.length = slen + 1; r.length = 0; for (size_t i = 0; i < slen; ) { dchar c = s[i]; if (c <= 0x7F) { i++; r ~= cast(wchar)c; } else { c = decode(s, i); encode(r, c); } } r ~= '\000'; return r.ptr; } /** ditto */ wstring toUTF16(wstring s) in { validate(s); } body { return s; } /** ditto */ wstring toUTF16(in dchar[] s) { wchar[] r; size_t slen = s.length; r.length = slen; r.length = 0; for (size_t i = 0; i < slen; i++) { encode(r, s[i]); } return cast(wstring)r; } /* =================== Conversion to UTF32 ======================= */ /***** * Encodes string s into UTF-32 and returns the encoded string. */ dstring toUTF32(in char[] s) { dchar[] r; size_t slen = s.length; size_t j = 0; r.length = slen; // r[] will never be longer than s[] for (size_t i = 0; i < slen; ) { dchar c = s[i]; if (c >= 0x80) c = decode(s, i); else i++; // c is ascii, no need for decode r[j++] = c; } return cast(dstring)r[0 .. j]; } /** ditto */ dstring toUTF32(in wchar[] s) { dchar[] r; size_t slen = s.length; size_t j = 0; r.length = slen; // r[] will never be longer than s[] for (size_t i = 0; i < slen; ) { dchar c = s[i]; if (c >= 0x80) c = decode(s, i); else i++; // c is ascii, no need for decode r[j++] = c; } return cast(dstring)r[0 .. j]; } /** ditto */ dstring toUTF32(dstring s) in { validate(s); } body { return s; } /* ================================ tests ================================== */ unittest { debug(utf) printf("utf.toUTF.unittest\n"); auto c = "hello"c[]; auto w = toUTF16(c); assert(w == "hello"); auto d = toUTF32(c); assert(d == "hello"); c = toUTF8(w); assert(c == "hello"); d = toUTF32(w); assert(d == "hello"); c = toUTF8(d); assert(c == "hello"); w = toUTF16(d); assert(w == "hello"); c = "hel\u1234o"; w = toUTF16(c); assert(w == "hel\u1234o"); d = toUTF32(c); assert(d == "hel\u1234o"); c = toUTF8(w); assert(c == "hel\u1234o"); d = toUTF32(w); assert(d == "hel\u1234o"); c = toUTF8(d); assert(c == "hel\u1234o"); w = toUTF16(d); assert(w == "hel\u1234o"); c = "he\U000BAAAAllo"; w = toUTF16(c); //foreach (wchar c; w) printf("c = x%x\n", c); //foreach (wchar c; cast(wstring)"he\U000BAAAAllo") printf("c = x%x\n", c); assert(w == "he\U000BAAAAllo"); d = toUTF32(c); assert(d == "he\U000BAAAAllo"); c = toUTF8(w); assert(c == "he\U000BAAAAllo"); d = toUTF32(w); assert(d == "he\U000BAAAAllo"); c = toUTF8(d); assert(c == "he\U000BAAAAllo"); w = toUTF16(d); assert(w == "he\U000BAAAAllo"); wchar[2] buf; auto ret = toUTF16(buf, '\U000BAAAA'); assert(ret == "\U000BAAAA"); }
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric, std.container, std.range; void get(Args...)(ref Args args) { import std.traits, std.meta, std.typecons; static if (Args.length == 1) { alias Arg = Args[0]; static if (isArray!Arg) { static if (isSomeChar!(ElementType!Arg)) { args[0] = readln.chomp.to!Arg; } else { args[0] = readln.split.to!Arg; } } else static if (isTuple!Arg) { auto input = readln.split; static foreach (i; 0..Fields!Arg.length) { args[0][i] = input[i].to!(Fields!Arg[i]); } } else { args[0] = readln.chomp.to!Arg; } } else { auto input = readln.split; assert(input.length == Args.length); static foreach (i; 0..Args.length) { args[i] = input[i].to!(Args[i]); } } } void get_lines(Args...)(size_t N, ref Args args) { import std.traits, std.range; static foreach (i; 0..Args.length) { static assert(isArray!(Args[i])); args[i].length = N; } foreach (i; 0..N) { static if (Args.length == 1) { get(args[0][i]); } else { auto input = readln.split; static foreach (j; 0..Args.length) { args[j][i] = input[j].to!(ElementType!(Args[j])); } } } } void main() { int T; get(T); while (T--) { string S; get(S); if ("atcoder" < S) { writeln(0); continue; } foreach (i; 1..S.length) { if (S[i] > 't') { writeln(i-1); goto next; } if (S[i] > 'a') { writeln(i); goto next; } } writeln(-1); next: } } /* aaaaaataaacaaaoaadaaear ataaaaaaaacaaaoaadaaear atoaaaaaaaacaaaaadaaear */
D
/************************************************************************** КАМЕННЫЙ ГОЛЕМ Магический голем. Можно призывать. Трофеи: сердце. Квестовые: "разобранные" големы-стражи в пещере у руин. ***************************************************************************/ prototype Mst_Default_StoneGolem(C_Npc) { name[0] = "Каменный голем"; guild = GIL_STONEGOLEM; aivar[AIV_MM_REAL_ID] = ID_STONEGOLEM; level = 25; attribute[ATR_STRENGTH] = 125; attribute[ATR_DEXTERITY] = 125; attribute[ATR_HITPOINTS_MAX] = 250; attribute[ATR_HITPOINTS] = 250; attribute[ATR_MANA_MAX] = 100; attribute[ATR_MANA] = 100; protection[PROT_BLUNT] = 50; protection[PROT_EDGE] = 100; protection[PROT_POINT] = 150; protection[PROT_FIRE] = 100; protection[PROT_FLY] = 100; protection[PROT_MAGIC] = 100; damagetype = DAM_FLY; fight_tactic = FAI_STONEGOLEM; senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL; senses_range = PERC_DIST_MONSTER_ACTIVE_MAX; aivar[AIV_MM_Behaviour] = BEHAV_FollowInWater; aivar[AIV_MM_FollowTime] = FOLLOWTIME_MEDIUM; start_aistate = ZS_MM_AllScheduler; aivar[AIV_MM_RestStart] = OnlyRoutine; }; func void B_SetVisuals_StoneGolem() { Mdl_SetVisual(self,"Golem.mds"); Mdl_SetVisualBody(self,"Gol_Body",DEFAULT,DEFAULT,"",DEFAULT,DEFAULT,-1); }; instance StoneGolem(Mst_Default_StoneGolem) { B_SetVisuals_StoneGolem(); Npc_SetToFistMode(self); CreateInvItems(self,ItAt_StoneGolemHeart,1); }; instance Summoned_Golem(Mst_Default_StoneGolem) { name[0] = "Вызванный голем"; guild = gil_summoned_golem; aivar[AIV_MM_REAL_ID] = id_summoned_golem; level = 0; aivar[AIV_PARTYMEMBER] = TRUE; B_SetAttitude(self,ATT_FRIENDLY); start_aistate = ZS_MM_Rtn_Summoned; B_SetVisuals_StoneGolem(); Npc_SetToFistMode(self); CreateInvItems(self,ItAt_StoneGolemHeart,1); }; func void ZS_GolemDown() { self.senses = SENSE_SMELL; self.senses_range = 2000; Npc_SetPercTime(self,1); Npc_PercEnable(self,PERC_ASSESSPLAYER,B_GolemRise); self.aivar[AIV_TAPOSITION] = NOTINPOS; }; func int ZS_GolemDown_LOOP() { if(self.aivar[AIV_TAPOSITION] == NOTINPOS) { AI_PlayAni(self,"T_DEAD"); self.aivar[AIV_TAPOSITION] = ISINPOS; }; return LOOP_CONTINUE; }; func void ZS_GolemDown_END() { }; func void B_GolemRise() { if((Npc_GetDistToNpc(self,hero) <= 700) && (Mob_HasItems("NW_GOLEMCHEST",ItSe_Golemchest_Mis) == 0)) { AI_PlayAni(self,"T_RISE"); self.noFocus = FALSE; self.name[0] = "Каменный голем"; self.flags = 0; AI_StartState(self,ZS_MM_Attack,0,""); self.bodyStateInterruptableOverride = FALSE; self.start_aistate = ZS_MM_AllScheduler; self.aivar[AIV_MM_RestStart] = OnlyRoutine; }; }; instance Shattered_Golem(Mst_Default_StoneGolem) { name[0] = ""; guild = GIL_STONEGOLEM; aivar[AIV_MM_REAL_ID] = ID_STONEGOLEM; level = 18; noFocus = TRUE; flags = NPC_FLAG_IMMORTAL; bodyStateInterruptableOverride = TRUE; B_SetVisuals_StoneGolem(); Npc_SetToFistMode(self); start_aistate = ZS_GolemDown; aivar[AIV_MM_RestStart] = OnlyRoutine; CreateInvItems(self,ItAt_StoneGolemHeart,1); }; instance MagicGolem(Mst_Default_StoneGolem) { name[0] = "Магический голем"; level = 10; protection[PROT_BLUNT] = IMMUNE; protection[PROT_EDGE] = IMMUNE; protection[PROT_POINT] = IMMUNE; protection[PROT_FIRE] = IMMUNE; protection[PROT_FLY] = IMMUNE; protection[PROT_MAGIC] = IMMUNE; B_SetVisuals_StoneGolem(); Npc_SetToFistMode(self); CreateInvItems(self,ItAt_StoneGolemHeart,1); };
D
/Users/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/Objects-normal/x86_64/Weak.o : /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/AccessibleMessage.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Identifiable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BackgroundViewable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Theme.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessagesSegue.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Weak.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable+Animation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/TopBottomAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsPanHandler.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/WindowViewController.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Presenter.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Error.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Animator.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessages.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSBundle+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIViewController+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CALayer+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIEdgeInsets+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSLayoutConstraint+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MessageView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BaseView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CornerRoundingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/KeyboardTrackingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MaskingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughWindow.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 /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 /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/sunny/Documents/MVVMC-Poc/Pods/Target\ Support\ Files/SwiftMessages/SwiftMessages-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/unextended-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/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/Objects-normal/x86_64/Weak~partial.swiftmodule : /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/AccessibleMessage.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Identifiable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BackgroundViewable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Theme.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessagesSegue.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Weak.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable+Animation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/TopBottomAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsPanHandler.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/WindowViewController.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Presenter.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Error.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Animator.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessages.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSBundle+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIViewController+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CALayer+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIEdgeInsets+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSLayoutConstraint+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MessageView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BaseView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CornerRoundingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/KeyboardTrackingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MaskingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughWindow.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 /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 /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/sunny/Documents/MVVMC-Poc/Pods/Target\ Support\ Files/SwiftMessages/SwiftMessages-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/unextended-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/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/Objects-normal/x86_64/Weak~partial.swiftdoc : /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/AccessibleMessage.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Identifiable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BackgroundViewable.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Theme.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessagesSegue.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Weak.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MarginAdjustable+Animation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/TopBottomAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsAnimation.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PhysicsPanHandler.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/WindowViewController.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Presenter.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Error.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/Animator.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/SwiftMessages.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSBundle+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIViewController+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CALayer+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/UIEdgeInsets+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/NSLayoutConstraint+Utils.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MessageView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/BaseView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/CornerRoundingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/KeyboardTrackingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/MaskingView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughView.swift /Users/sunny/Documents/MVVMC-Poc/Pods/SwiftMessages/SwiftMessages/PassthroughWindow.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 /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 /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Users/sunny/Documents/MVVMC-Poc/Pods/Target\ Support\ Files/SwiftMessages/SwiftMessages-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Users/sunny/Documents/MVVMC-Poc/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftMessages.build/unextended-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
/** MongoDB cursor abstraction Copyright: © 2012-2014 RejectedSoftware e.K. License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig */ module vibe.db.mongo.cursor; public import vibe.data.bson; import vibe.db.mongo.connection; import vibe.db.mongo.client; import std.array : array; import std.algorithm : map, min; import std.exception; /** Represents a cursor for a MongoDB query. Use foreach( doc; cursor ) to iterate over the list of documents. This struct uses reference counting to destroy the underlying MongoDB cursor. */ struct MongoCursor(Q = Bson, R = Bson, S = Bson) { private MongoCursorData!(Q, R, S) m_data; package this(MongoClient client, string collection, QueryFlags flags, int nskip, int nret, Q query, S return_field_selector) { // TODO: avoid memory allocation, if possible m_data = new MongoCursorData!(Q, R, S)(client, collection, flags, nskip, nret, query, return_field_selector); } this(this) { if( m_data ) m_data.m_refCount++; } ~this() { if( m_data && --m_data.m_refCount == 0 ){ m_data.destroy(); } } /** Returns true if there are no more documents for this cursor. Throws: An exception if there is a query or communication error. */ @property bool empty() { return m_data ? m_data.empty() : true; } /** Returns the current document of the response. Use empty and popFront to iterate over the list of documents using an input range interface. Note that calling this function is only allowed if empty returns false. */ @property R front() { return m_data.front; } /** Controls the order that the query returns matching documents. This method must be called before beginning iteration, otherwise exeption will be thrown. Only the last sort() applied to cursor has any effect. Params: order = a document that defines the sort order of the result set Returns: the same cursor Throws: An exception if there is a query or communication error. Also throws if the method was called after beginning of iteration. See_Also: $(LINK http://docs.mongodb.org/manual/reference/method/cursor.sort) */ MongoCursor sort(T)(T order) { m_data.sort(serializeToBson(order)); return this; } /** Limits the maximum documents that cursor returns. This method must be called before beginnig iteration in order to have effect. If multiple calls to limit() are made, the one with the lowest limit will be chosen. Params: count = The maximum number number of documents to return. A value of zero means unlimited. Returns: the same cursor See_Also: $(LINK http://docs.mongodb.org/manual/reference/method/cursor.limit) */ MongoCursor limit(size_t count) { m_data.limit(count); return this; } /** Advances the cursor to the next document of the response. Note that calling this function is only allowed if empty returns false. */ void popFront() { m_data.popFront(); } /** Iterates over all remaining documents. Note that iteration is one-way - elements that have already been visited will not be visited again if another iteration is done. Throws: An exception if there is a query or communication error. */ int opApply(int delegate(ref R doc) del) { if (!m_data) return 0; while (!m_data.empty) { auto doc = m_data.front; m_data.popFront(); if (auto ret = del(doc)) return ret; } return 0; } /** Iterates over all remaining documents. Note that iteration is one-way - elements that have already been visited will not be visited again if another iteration is done. Throws: An exception if there is a query or communication error. */ int opApply(int delegate(ref size_t idx, ref R doc) del) { if (!m_data) return 0; while (!m_data.empty) { auto idx = m_data.index; auto doc = m_data.front; m_data.popFront(); if (auto ret = del(idx, doc)) return ret; } return 0; } } /** Internal class exposed through MongoCursor. */ private class MongoCursorData(Q, R, S) { private { int m_refCount = 1; MongoClient m_client; string m_collection; long m_cursor; QueryFlags m_flags; int m_nskip; int m_nret; Q m_query; S m_returnFieldSelector; Bson m_sort = Bson(null); int m_offset; size_t m_currentDoc = 0; R[] m_documents; bool m_iterationStarted = false; size_t m_limit = 0; bool m_needDestroy = false; } this(MongoClient client, string collection, QueryFlags flags, int nskip, int nret, Q query, S return_field_selector) { m_client = client; m_collection = collection; m_flags = flags; m_nskip = nskip; m_nret = nret; m_query = query; m_returnFieldSelector = return_field_selector; } @property bool empty() { if (!m_iterationStarted) startIterating(); if (m_limit > 0 && m_currentDoc >= m_limit) { destroy(); return true; } if( m_currentDoc < m_documents.length ) return false; if( m_cursor == 0 ) return true; auto conn = m_client.lockConnection(); conn.getMore!R(m_collection, m_nret, m_cursor, &handleReply, &handleDocument); return m_currentDoc >= m_documents.length; } @property size_t index() { return m_offset + m_currentDoc; } @property R front() { if (!m_iterationStarted) startIterating(); assert(!empty(), "Cursor has no more data."); return m_documents[m_currentDoc]; } void sort(Bson order) { assert(!m_iterationStarted, "Cursor cannot be modified after beginning iteration"); m_sort = order; } void limit(size_t count) { // A limit() value of 0 (e.g. “.limit(0)”) is equivalent to setting no limit. if (count > 0) { if (m_nret == 0 || m_nret > count) m_nret = min(count, 1024); if (m_limit == 0 || m_limit > count) m_limit = count; } } void popFront() { if (!m_iterationStarted) startIterating(); assert(!empty(), "Cursor has no more data."); m_currentDoc++; } private void startIterating() { auto conn = m_client.lockConnection(); ubyte[256] selector_buf = void; ubyte[256] query_buf = void; Bson selector = serializeToBson(m_returnFieldSelector, selector_buf); Bson query; static if (is(Q == Bson)) { query = m_query; } else { query = serializeToBson(m_query, query_buf); } Bson full_query; if (!query["query"].isNull() || !query["$query"].isNull()) { // TODO: emit deprecation warning full_query = query; } else { full_query = Bson.emptyObject; full_query["$query"] = query; } if (!m_sort.isNull()) full_query["orderby"] = m_sort; conn.query!R(m_collection, m_flags, m_nskip, m_nret, full_query, selector, &handleReply, &handleDocument); m_iterationStarted = true; } private void destroy() { if (m_cursor == 0) return; auto conn = m_client.lockConnection(); conn.killCursors((&m_cursor)[0 .. 1]); m_cursor = 0; } private void handleReply(long cursor, ReplyFlags flags, int first_doc, int num_docs) { // FIXME: use MongoDB exceptions enforce(!(flags & ReplyFlags.CursorNotFound), "Invalid cursor handle."); enforce(!(flags & ReplyFlags.QueryFailure), "Query failed."); m_cursor = cursor; m_offset = first_doc; m_documents.length = num_docs; m_currentDoc = 0; } private void handleDocument(size_t idx, ref R doc) { m_documents[idx] = doc; } }
D
module redis.encoder; import std.array : appender; import std.traits : isSomeChar, isSomeString, isArray; import std.conv : to, text; public: alias encode = toMultiBulk; /** Take an array of (w|d)string arguments and concat them to a single Multibulk Examples: --- toMultiBulk("SADD", ["fruits", "apple", "banana"]) == toMultiBulk("SADD fruits apple banana") --- */ @trusted auto toMultiBulk(C, T)(const C[] command, T[][] args) if (isSomeChar!C && isSomeChar!T) { auto buffer = appender!(C[])(); buffer.reserve(command.length + args.length * 70); //guesstimate buffer ~= "*" ~ to!(C[])(args.length + 1) ~ "\r\n" ~ toBulk(command); foreach (c; args) { buffer ~= toBulk(c); } return buffer.data; } /** Take an array of varargs and concat them to a single Multibulk Examples: --- toMultiBulk("SADD", "random", 1, 1.5, 'c') == toMultiBulk("SADD random 1 1.5 c") --- */ @trusted auto toMultiBulk(C, T...)(const C[] command, T args) if (isSomeChar!C) { auto buffer = appender!(C[])(); auto l = accumulator!(C,T)(buffer, args); auto str = "*" ~ to!(C[])(l + 1) ~ "\r\n" ~ toBulk(command) ~ buffer.data; return str; } /** Take an array of strings and concat them to a single Multibulk Examples: --- toMultiBulk(["SET", "name", "adil"]) == toMultiBulk("SET name adil") --- */ @trusted auto toMultiBulk(C)(const C[][] commands) if (isSomeChar!C) { auto buffer = appender!(C[])(); buffer.reserve(commands.length * 100); buffer ~= "*" ~ to!(C[])(commands.length) ~ "\r\n"; foreach(c; commands) { buffer ~= toBulk(c); } return buffer.data; } /** * Take a Redis command (w|d)string and convert it to a MultiBulk */ @trusted auto toMultiBulk(C)(const C[] command) if (isSomeChar!C) { alias command str; size_t start, end, bulk_count; auto buffer = appender!(C[])(); buffer.reserve(cast(size_t)(command.length * 1.2)); //Reserve for 20% overhead. C c; for(size_t i = 0; i < str.length; i++) { c = str[i]; /** * Special support for quoted string so that command line support for proper use of EVAL is available. */ if((c == '"' || c == '\'')) { start = i+1; //Circuit breaker to avoid RangeViolation while(++i < str.length && (str[i] != c || (str[i] == c && str[i-1] == '\\')) ){} goto MULTIBULK_PROCESS; } if(c != ' ') { continue; } // c is a ' ' (space) here if(i == start) { start++; end++; continue; } MULTIBULK_PROCESS: end = i; buffer ~= toBulk(str[start .. end]); start = end + 1; bulk_count++; } //Nothing found? That means the string is just one Bulk if(!buffer.data.length) { buffer ~= toBulk(str); bulk_count++; } //If there's anything leftover, push it else if(end+1 < str.length) { buffer ~= toBulk(str[end+1 .. $]); bulk_count++; } import std.string : format; return format("*%d\r\n%s", bulk_count, buffer.data); } @trusted auto toBulk(C)(const C[] str) if (isSomeChar!C) { import std.string : format; return format("$%d\r\n%s\r\n", str.length, str); } debug(redis) @trusted C[] escape(C)(C[] str) if (isSomeChar!C) { import std.string : replace; return replace(str,"\r\n","\\r\\n"); } private : import std.array : Appender; @trusted uint accumulator(C, T...)(Appender!(C[]) w, T args) { uint ctr = 0; foreach (i, arg; args) { static if(isSomeString!(typeof(arg))) { w ~= toBulk(arg); ctr++; } else static if(isArray!(typeof(arg))) { foreach(a; arg) { ctr += accumulator(w, a); } } else { w ~= toBulk(text(arg)); ctr++; } } return ctr; } unittest { assert(toBulk("$2") == "$2\r\n$2\r\n"); assert(encode("GET *2") == "*2\r\n$3\r\nGET\r\n$2\r\n*2\r\n"); assert(encode("TTL myset") == "*2\r\n$3\r\nTTL\r\n$5\r\nmyset\r\n"); assert(encode("TTL", "myset") == "*2\r\n$3\r\nTTL\r\n$5\r\nmyset\r\n"); auto lua = "return redis.call('set','foo','bar')"; assert(encode("EVAL \"" ~ lua ~ "\" 0") == "*3\r\n$4\r\nEVAL\r\n$"~to!(string)(lua.length)~"\r\n"~lua~"\r\n$1\r\n0\r\n"); assert(encode("\"" ~ lua ~ "\" \"" ~ lua ~ "\" ") == "*2\r\n$"~to!(string)(lua.length)~"\r\n"~lua~"\r\n$"~to!(string)(lua.length)~"\r\n"~lua~"\r\n"); assert(encode("eval \"" ~ lua ~ "\" " ~ "0") == encode("eval", lua, 0)); assert(encode("SREM", ["myset", "$3", "$4", "two words"]) == encode("SREM myset $3 $4 'two words'")); assert(encode("SREM", "myset", "$3", "$4", "two words") == encode("SREM myset $3 $4 'two words'")); assert(encode(["SREM", "myset", "$3", "$4", "two words"]) == encode("SREM myset $3 $4 'two words'")); assert(encode("SADD", "numbers", [1,2,3]) == encode("SADD numbers 1 2 3")); assert(encode("SADD", "numbers", 1,2,3, [4,5]) == encode("SADD numbers 1 2 3 4 5")); assert(encode("TTL", "myset") == encode("TTL myset")); assert(encode("TTL", "myset") == encode("TTL", ["myset"])); assert(encode("ZADD", "mysortedset", 1, "{\"a\": \"b\"}") == "*4\r\n$4\r\nZADD\r\n$11\r\nmysortedset\r\n$1\r\n1\r\n$10\r\n{\"a\": \"b\"}\r\n"); assert(encode("ZADD", "mysortedset", "1", "{\"a\": \"b\"}") == "*4\r\n$4\r\nZADD\r\n$11\r\nmysortedset\r\n$1\r\n1\r\n$10\r\n{\"a\": \"b\"}\r\n"); }
D
module org.serviio.upnp.service.contentdirectory.classes.Album; import java.lang.String; import java.net.URI; import org.serviio.upnp.service.contentdirectory.classes.Container; import org.serviio.upnp.service.contentdirectory.classes.ObjectClassType; public class Album : Container { protected String storageMedium; protected String description; protected String longDescription; protected String publisher; protected String contributor; protected URI relation; protected String rights; protected String date; public this(String id, String title) { super(id, title); } override public ObjectClassType getObjectClass() { return ObjectClassType.ALBUM; } public String getStorageMedium() { return this.storageMedium; } public void setStorageMedium(String storageMedium) { this.storageMedium = storageMedium; } public String getDescription() { return this.description; } public void setDescription(String description) { this.description = description; } public String getLongDescription() { return this.longDescription; } public void setLongDescription(String longDescription) { this.longDescription = longDescription; } public String getPublisher() { return this.publisher; } public void setPublisher(String publisher) { this.publisher = publisher; } public String getContributor() { return this.contributor; } public void setContributor(String contributor) { this.contributor = contributor; } public URI getRelation() { return this.relation; } public void setRelation(URI relation) { this.relation = relation; } public String getRights() { return this.rights; } public void setRights(String rights) { this.rights = rights; } public String getDate() { return this.date; } public void setDate(String date) { this.date = date; } } /* Location: C:\Users\Main\Downloads\serviio.jar * Qualified Name: org.serviio.upnp.service.contentdirectory.classes.Album * JD-Core Version: 0.7.0.1 */
D
/* * Copyright (c) 2004-2009 Derelict Developers * All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * * Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * * Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * * * Neither the names 'Derelict', 'DerelictUtil', nor the names of its contributors * may be used to endorse or promote products derived from this software * without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED * TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR * PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR * CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, * EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, * PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR * PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF * LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING * NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ module derelict.util.loader; private { import derelict.util.exception; import derelict.util.wrapper; } version(linux) { version = Nix; } version(darwin) { version = Nix; } else version(Unix) { version = Nix; } version (Nix) { // for people using DSSS, tell it to link the executable with libdl version(build) { pragma(link, "dl"); } } private alias void* SharedLibHandle; //============================================================================== class SharedLib { public: char[] name() { return _name; } private: SharedLibHandle _handle; char[] _name; this(SharedLibHandle handle, char[] name) { _handle = handle; _name = name; } } //============================================================================== SharedLib Derelict_LoadSharedLib(char[] libName) in { assert(libName !is null); } body { SharedLibHandle handle = Platform_LoadSharedLib(libName); if(handle is null) throw new SharedLibLoadException("Failed to load shared lib " ~ libName ~ ": " ~ GetErrorStr()); return new SharedLib(handle, libName); } //============================================================================== SharedLib Derelict_LoadSharedLib(char[][] libNames) in { assert(libNames !is null); } body { char[][] failedLibs; char[][] reasons; foreach(char[] libName; libNames) { SharedLibHandle handle = Platform_LoadSharedLib(libName); if(handle !is null) { return new SharedLib(handle, libName); } else { failedLibs ~= libName; reasons ~= GetErrorStr(); } } SharedLibLoadException.throwNew(failedLibs, reasons); return null; // to shut the compiler up } //============================================================================== void Derelict_UnloadSharedLib(SharedLib lib) { if(lib !is null && lib._handle !is null) Platform_UnloadSharedLib(lib); } //============================================================================== void* Derelict_GetProc(SharedLib lib, char[] procName) in { assert(lib !is null); assert(procName !is null); } body { if(lib._handle is null) throw new InvalidSharedLibHandleException(lib._name); return Platform_GetProc(lib, procName); } //============================================================================== version(Windows) { private import derelict.util.wintypes; SharedLibHandle Platform_LoadSharedLib(char[] libName) { return LoadLibraryA(toCString(libName)); } void Platform_UnloadSharedLib(SharedLib lib) { FreeLibrary(cast(HMODULE)lib._handle); lib._handle = null; } void* Platform_GetProc(SharedLib lib, char[] procName) { void* proc = GetProcAddress(cast(HMODULE)lib._handle, toCString(procName)); if(null is proc) Derelict_HandleMissingProc(lib._name, procName); return proc; } private char[] GetErrorStr() { // adapted from Tango DWORD errcode = GetLastError(); LPCSTR msgBuf; DWORD i = FormatMessageA( FORMAT_MESSAGE_ALLOCATE_BUFFER | FORMAT_MESSAGE_FROM_SYSTEM | FORMAT_MESSAGE_IGNORE_INSERTS, null, errcode, MAKELANGID(LANG_NEUTRAL, SUBLANG_DEFAULT), cast(LPCSTR)&msgBuf, 0, null); char[] text = toDString(msgBuf); LocalFree(cast(HLOCAL)msgBuf); if(i >= 2) i -= 2; return text[0 .. i]; } } else version(Nix) { extern(C) { enum { RTLD_NOW = 0x2, RTLD_NOLOAD = 0x10, } void *dlopen(char* file, int mode); int dlclose(void* handle); void *dlsym(void* handle, char* name); char* dlerror(); } SharedLibHandle Platform_LoadSharedLib(char[] libName) { return dlopen(toCString(libName), RTLD_NOW); } void Platform_UnloadSharedLib(SharedLib lib) { dlclose(lib._handle); lib._handle = null; } void* Platform_GetProc(SharedLib lib, char[] procName) { void* proc = dlsym(lib._handle, toCString(procName)); if(null is proc) Derelict_HandleMissingProc(lib._name, procName); return proc; } private char[] GetErrorStr() { char* err = dlerror(); if(err is null) return "Uknown Error"; return toDString(err).dup; } } else { static assert(0); } //============================================================================== struct GenericLoader { void setup(char[] winLibs, char[] linLibs, char[] macLibs, void function(SharedLib) userLoad, char[] versionStr = "") { assert (userLoad !is null); this.winLibs = winLibs; this.linLibs = linLibs; this.macLibs = macLibs; this.userLoad = userLoad; this.versionStr = versionStr; } void load(char[] libNameString = null) { if (myLib !is null) { return; } // make sure the lib will be unloaded at progam termination registeredLoaders ~= this; if (libNameString is null) { version (Windows) { libNameString = winLibs; } else version (linux) { libNameString = linLibs; } else version(darwin) { libNameString = macLibs; } if(libNameString is null || libNameString == "") { throw new DerelictException("Invalid library name"); } } char[][] libNames = libNameString.splitStr(","); foreach (inout char[] l; libNames) { l = l.stripWhiteSpace(); } load(libNames); } void load(char[][] libNames) { myLib = Derelict_LoadSharedLib(libNames); if(userLoad is null) { // this should never, ever, happen throw new DerelictException("Something is horribly wrong -- internal load function not configured"); } userLoad(myLib); } char[] versionString() { return versionStr; } void unload() { if (myLib !is null) { Derelict_UnloadSharedLib(myLib); myLib = null; } } bool loaded() { return (myLib !is null); } char[] libName() { return loaded ? myLib.name : null; } static ~this() { foreach (x; registeredLoaders) { x.unload(); } } private { static GenericLoader*[] registeredLoaders; SharedLib myLib; char[] winLibs; char[] linLibs; char[] macLibs; char[] versionStr = ""; void function(SharedLib) userLoad; } } //============================================================================== struct GenericDependentLoader { void setup(GenericLoader* dependence, void function(SharedLib) userLoad) { assert (dependence !is null); assert (userLoad !is null); this.dependence = dependence; this.userLoad = userLoad; } void load() { assert (dependence.loaded); userLoad(dependence.myLib); } char[] versionString() { return dependence.versionString; } void unload() { } bool loaded() { return dependence.loaded; } char[] libName() { return dependence.libName; } private { GenericLoader* dependence; void function(SharedLib) userLoad; } } //============================================================================== package struct Binder(T) { void opCall(char[] n, SharedLib lib) { *fptr = Derelict_GetProc(lib, n); } private { void** fptr; } } template bindFunc(T) { Binder!(T) bindFunc(inout T a) { Binder!(T) res; res.fptr = cast(void**)&a; return res; } }
D
module crimson.config.base; enum configType { JSON = 1, XML = 2 } class configBase { private: configType type; public @property string[string] settings; public void load(string filename, configType type = configType.JSON) { this.type = type; //load file into settings if(this.type == configType.JSON) { } } }
D
// This file is part of Visual D // // Visual D integrates the D programming language into Visual Studio // Copyright (c) 2010 by Rainer Schuetze, All Rights Reserved // // Distributed under the Boost Software License, Version 1.0. // See accompanying file LICENSE.txt or copy at http://www.boost.org/LICENSE_1_0.txt module visuald.profiler; import visuald.windows; import visuald.winctrl; import visuald.comutil; import visuald.dimagelist; import visuald.register; import visuald.hierutil; import visuald.logutil; import visuald.stringutil; import visuald.pkgutil; import visuald.dpackage; import visuald.intellisense; import visuald.config; import visuald.wmmsg; import sdk.win32.commctrl; import sdk.vsi.vsshell; import sdk.vsi.vsshell80; import stdext.string; import std.conv; import std.utf; import std.stdio; import std.string; import std.algorithm; import std.file; import std.path; import core.demangle; private IVsWindowFrame sWindowFrame; private ProfilePane sProfilePane; bool showProfilerWindow() { if(!sWindowFrame) { auto pIVsUIShell = ComPtr!(IVsUIShell)(queryService!(IVsUIShell), false); if(!pIVsUIShell) return false; sProfilePane = newCom!ProfilePane; const(wchar)* caption = "Visual D Profiler"w.ptr; HRESULT hr; hr = pIVsUIShell.CreateToolWindow(CTW_fInitNew, 0, sProfilePane, &GUID_NULL, &g_profileWinCLSID, &GUID_NULL, null, caption, null, &sWindowFrame); if(!SUCCEEDED(hr)) { sProfilePane = null; return false; } } if(FAILED(sWindowFrame.Show())) return false; BOOL fHandled; sProfilePane._OnSetFocus(0, 0, 0, fHandled); return fHandled != 0; } const int kColumnInfoVersion = 1; const bool kToolBarAtTop = true; const int kToolBarHeight = 24; const int kPaneMargin = 0; const int kBackMargin = 2; const HDMIL_PRIVATE = 0xf00d; struct static_COLUMNINFO { string displayName; int fmt; int cx; } struct COLUMNINFO { COLUMNID colid; BOOL fVisible; int cx; }; enum COLUMNID { NONE = -1, NAME, CALLS, TREETIME, FUNCTIME, CALLTIME, MAX } const static_COLUMNINFO[] s_rgColumns = [ //{ "none", LVCFMT_LEFT, 80 }, { "Function", LVCFMT_LEFT, 80 }, { "Calls", LVCFMT_LEFT, 80 }, { "Tree Time", LVCFMT_LEFT, 80 }, { "Func Time", LVCFMT_LEFT, 80 }, { "Call Time", LVCFMT_LEFT, 80 }, ]; const COLUMNINFO[] default_Columns = [ { COLUMNID.NAME, true, 300 }, { COLUMNID.CALLS, true, 100 }, { COLUMNID.TREETIME, true, 100 }, { COLUMNID.FUNCTIME, true, 100 }, { COLUMNID.CALLTIME, true, 100 }, ]; const static_COLUMNINFO[] s_rgFanInColumns = [ //{ "none", LVCFMT_LEFT, 80 }, { "Caller", LVCFMT_LEFT, 80 }, { "Calls", LVCFMT_LEFT, 80 }, ]; const static_COLUMNINFO[] s_rgFanOutColumns = [ //{ "none", LVCFMT_LEFT, 80 }, { "Callee", LVCFMT_LEFT, 80 }, { "Calls", LVCFMT_LEFT, 80 }, ]; const COLUMNINFO[] default_FanColumns = [ { COLUMNID.NAME, true, 300 }, { COLUMNID.CALLS, true, 100 }, ]; struct INDEXQUERYPARAMS { COLUMNID colidSort; bool fSortAscending; COLUMNID colidGroup; } class ProfileWindowBack : Window { this(Window parent, ProfilePane pane) { mPane = pane; super(parent); } override int WindowProc(HWND hWnd, uint uMsg, WPARAM wParam, LPARAM lParam) { BOOL fHandled; LRESULT rc = mPane._WindowProc(hWnd, uMsg, wParam, lParam, fHandled); if(fHandled) return rc; return super.WindowProc(hWnd, uMsg, wParam, lParam); } ProfilePane mPane; } class ProfilePane : DisposingComObject, IVsWindowPane { IServiceProvider mSite; override HRESULT QueryInterface(in IID* riid, void** pvObject) { if(queryInterface!(IVsWindowPane) (this, riid, pvObject)) return S_OK; // avoid debug output if(*riid == IVsCodeWindow.iid || *riid == IServiceProvider.iid || *riid == IVsTextView.iid) return E_NOINTERFACE; return super.QueryInterface(riid, pvObject); } override void Dispose() { mSite = release(mSite); } HRESULT SetSite(/+[in]+/ IServiceProvider pSP) { mixin(LogCallMix2); mSite = release(mSite); mSite = addref(pSP); return S_OK; } HRESULT CreatePaneWindow(in HWND hwndParent, in int x, in int y, in int cx, in int cy, /+[out]+/ HWND *hwnd) { mixin(LogCallMix2); _wndParent = new Window(hwndParent); _wndBack = new ProfileWindowBack(_wndParent, this); BOOL fHandled; _OnInitDialog(WM_INITDIALOG, 0, 0, fHandled); _CheckSize(); _wndBack.setVisible(true); return S_OK; } HRESULT GetDefaultSize(/+[out]+/ SIZE *psize) { mixin(LogCallMix2); psize.cx = 300; psize.cy = 200; return S_OK; } HRESULT ClosePane() { mixin(LogCallMix2); if(_wndParent) { _wndParent.Dispose(); _wndParent = null; _wndBack = null; _wndFileWheel = null; _wndFuncList = null; _wndFuncListHdr = null; _wndFanInList = null; _wndFanOutList = null; _wndToolbar = null; if(_himlToolbar) ImageList_Destroy(_himlToolbar); _lastResultsArray = null; mDlgFont = deleteDialogFont(mDlgFont); } return S_OK; } HRESULT LoadViewState(/+[in]+/ IStream pstream) { mixin(LogCallMix2); return returnError(E_NOTIMPL); } HRESULT SaveViewState(/+[in]+/ IStream pstream) { mixin(LogCallMix2); return returnError(E_NOTIMPL); } HRESULT TranslateAccelerator(MSG* msg) { if(msg.message == WM_TIMER) _CheckSize(); if(msg.message == WM_TIMER || msg.message == WM_SYSTIMER) return E_NOTIMPL; // do not flood debug output logMessage("TranslateAccelerator", msg.hwnd, msg.message, msg.wParam, msg.lParam); BOOL fHandled; HRESULT hrRet = _HandleMessage(msg.hwnd, msg.message, msg.wParam, msg.lParam, fHandled); if(fHandled) return hrRet; return E_NOTIMPL; } /////////////////////////////////////////////////////////////////// private: Window _wndParent; ProfileWindowBack _wndBack; HFONT mDlgFont; Text _wndFileWheel; ListView _wndFuncList; ListView _wndFanInList; ListView _wndFanOutList; Window _wndFuncListHdr; ToolBar _wndToolbar; HIMAGELIST _himlToolbar; ItemArray _lastResultsArray; // remember to keep reference to ProfileItems referenced in list items ProfileItemIndex _spsii; int _lastSelectedItem; BOOL _fShowFanInOut; BOOL _fFullDecoration; BOOL _fAlternateRowColor; BOOL _closeOnReturn; COLUMNINFO[] _rgColumns; INDEXQUERYPARAMS _iqp; COLORREF _crAlternate; static HINSTANCE getInstance() { return Widget.getInstance(); } int _WindowProc(HWND hWnd, uint uMsg, WPARAM wParam, LPARAM lParam, ref BOOL fHandled) { if(uMsg != WM_NOTIFY) logMessage("_WindowProc", hWnd, uMsg, wParam, lParam); return _HandleMessage(hWnd, uMsg, wParam, lParam, fHandled); } int _HandleMessage(HWND hWnd, uint uMsg, WPARAM wParam, LPARAM lParam, ref BOOL fHandled) { switch(uMsg) { case WM_CREATE: case WM_INITDIALOG: return _OnInitDialog(uMsg, wParam, lParam, fHandled); case WM_NCCALCSIZE: return _OnCalcSize(uMsg, wParam, lParam, fHandled); case WM_SIZE: return _OnSize(uMsg, wParam, lParam, fHandled); case WM_NCACTIVATE: case WM_SETFOCUS: return _OnSetFocus(uMsg, wParam, lParam, fHandled); case WM_CONTEXTMENU: return _OnContextMenu(uMsg, wParam, lParam, fHandled); case WM_DESTROY: return _OnDestroy(uMsg, wParam, lParam, fHandled); case WM_KEYDOWN: case WM_SYSKEYDOWN: return _OnKeyDown(uMsg, wParam, lParam, fHandled); case WM_COMMAND: ushort id = LOWORD(wParam); ushort code = HIWORD(wParam); if(id == IDC_FILEWHEEL && code == EN_CHANGE) return _OnFileWheelChanged(id, code, hWnd, fHandled); if(code == BN_CLICKED) { switch(id) { case IDOK: return _OnOpenSelectedItem(code, id, hWnd, fHandled); case IDR_ALTERNATEROWCOLOR: case IDR_GROUPBYKIND: case IDR_CLOSEONRETURN: case IDR_FANINOUT: case IDR_FULLDECO: case IDR_REMOVETRACE: case IDR_SETTRACE: case IDR_REFRESH: return _OnCheckBtnClicked(code, id, hWnd, fHandled); default: break; } } break; case WM_NOTIFY: NMHDR* nmhdr = cast(NMHDR*)lParam; if(nmhdr.idFrom == IDC_FILELIST) { switch(nmhdr.code) { case LVN_GETDISPINFO: return _OnFileListGetDispInfo(wParam, nmhdr, fHandled); case LVN_COLUMNCLICK: return _OnFileListColumnClick(wParam, nmhdr, fHandled); case LVN_DELETEITEM: return _OnFileListDeleteItem(wParam, nmhdr, fHandled); case LVN_ITEMCHANGED: return _OnFileListItemChanged(wParam, nmhdr, fHandled); case NM_DBLCLK: return _OnFileListDblClick(wParam, nmhdr, fHandled); case NM_CUSTOMDRAW: return _OnFileListCustomDraw(wParam, nmhdr, fHandled); default: break; } } if(nmhdr.idFrom == IDC_FANINLIST && nmhdr.code == NM_DBLCLK) return _OnFanInOutListDblClick(true, nmhdr, fHandled); if(nmhdr.idFrom == IDC_FANOUTLIST && nmhdr.code == NM_DBLCLK) return _OnFanInOutListDblClick(false, nmhdr, fHandled); if (nmhdr.idFrom == IDC_FILELISTHDR && nmhdr.code == HDN_ITEMCHANGED) return _OnFileListHdrItemChanged(wParam, nmhdr, fHandled); if (nmhdr.idFrom == IDC_TOOLBAR && nmhdr.code == TBN_GETINFOTIP) return _OnToolbarGetInfoTip(wParam, nmhdr, fHandled); break; default: break; } return 0; } public this() { _fAlternateRowColor = true; _closeOnReturn = true; _spsii = new ProfileItemIndex(); _rgColumns = default_Columns.dup; _iqp.colidSort = COLUMNID.NAME; _iqp.fSortAscending = true; _iqp.colidGroup = COLUMNID.NONE; } void _MoveSelection(BOOL fDown) { // Get the current selection int iSel = _wndFuncList.SendMessage(LVM_GETNEXTITEM, cast(WPARAM)-1, LVNI_SELECTED); int iCnt = _wndFuncList.SendMessage(LVM_GETITEMCOUNT); if(iSel == 0 && !fDown) return; if(iSel == iCnt - 1 && fDown) return; _UpdateSelection(iSel, fDown ? iSel+1 : iSel-1); } void _UpdateSelection(int from, int to) { LVITEM lvi; lvi.iItem = from; lvi.mask = LVIF_STATE; lvi.stateMask = LVIS_SELECTED | LVIS_FOCUSED; lvi.state = 0; _wndFuncList.SendItemMessage(LVM_SETITEM, lvi); lvi.iItem = to; lvi.mask = LVIF_STATE; lvi.stateMask = LVIS_SELECTED | LVIS_FOCUSED; lvi.state = LVIS_SELECTED | LVIS_FOCUSED; _wndFuncList.SendItemMessage(LVM_SETITEM, lvi); _wndFuncList.SendMessage(LVM_ENSUREVISIBLE, lvi.iItem, FALSE); } HRESULT _PrepareFileListForResults(in ItemArray puaResults) { _wndFuncList.SendMessage(LVM_DELETEALLITEMS); _wndFuncList.SendMessage(LVM_REMOVEALLGROUPS); HIMAGELIST himl = LoadImageList(getInstance(), MAKEINTRESOURCEA(BMP_DIMAGELIST), 16, 16); if(himl) _wndFuncList.SendMessage(LVM_SETIMAGELIST, LVSIL_SMALL, cast(LPARAM)himl); HRESULT hr = S_OK; BOOL fEnableGroups = _iqp.colidGroup != COLUMNID.NONE; if (fEnableGroups) { DWORD cGroups = puaResults.GetCount(); // Don't enable groups if there is only 1 if (cGroups <= 1) { fEnableGroups = FALSE; } } if (SUCCEEDED(hr)) { hr = _wndFuncList.SendMessage(LVM_ENABLEGROUPVIEW, fEnableGroups) == -1 ? E_FAIL : S_OK; } return hr; } HRESULT _AddItemsToFileList(int iGroupId, in ItemArray pua) { LVITEM lvi; lvi.pszText = LPSTR_TEXTCALLBACK; lvi.iItem = cast(int)_wndFuncList.SendMessage(LVM_GETITEMCOUNT); DWORD cItems = pua.GetCount(); HRESULT hr = S_OK; for (DWORD i = 0; i < cItems && SUCCEEDED(hr); i++) { if(ProfileItem spsi = pua.GetItem(i)) { for (int iCol = COLUMNID.NAME; iCol < COLUMNID.MAX; iCol++) { lvi.iSubItem = iCol; if (iCol != COLUMNID.NAME) { lvi.mask = LVIF_TEXT; } else { lvi.mask = LVIF_PARAM | LVIF_TEXT | LVIF_IMAGE; lvi.iGroupId = iGroupId; lvi.lParam = cast(LPARAM)cast(void*)spsi; lvi.iImage = spsi.GetIconIndex(); if (iGroupId != -1) { lvi.mask |= LVIF_GROUPID; lvi.iGroupId = iGroupId; } } if (_wndFuncList.SendItemMessage(LVM_INSERTITEM, lvi) != -1 && iCol == COLUMNID.NAME) { //spsi.detach(); } } spsi = null; } lvi.iItem++; } return hr; } HRESULT _AddGroupToFileList(int iGroupId, in ProfileItemGroup psig) { LVGROUP lvg; lvg.cbSize = lvg.sizeof; lvg.mask = LVGF_ALIGN | LVGF_HEADER | LVGF_GROUPID | LVGF_STATE; lvg.uAlign = LVGA_HEADER_LEFT; lvg.iGroupId = iGroupId; lvg.pszHeader = _toUTF16z(psig.GetName()); lvg.state = LVGS_NORMAL; HRESULT hr = _wndFuncList.SendMessage(LVM_INSERTGROUP, cast(WPARAM)-1, cast(LPARAM)&lvg) != -1 ? S_OK : E_FAIL; if (SUCCEEDED(hr)) { const(ItemArray) spItems = psig.GetItems(); if(spItems) { hr = _AddItemsToFileList(iGroupId, spItems); } } return hr; } HRESULT _RefreshFileList() { mixin(LogCallMix); _wndFuncList.SetRedraw(FALSE); HRESULT hr = S_OK; string strWordWheel = _wndFileWheel.GetWindowText(); ItemArray spResultsArray; hr = _spsii.Update(strWordWheel, &_iqp, &spResultsArray); if (SUCCEEDED(hr)) { hr = _PrepareFileListForResults(spResultsArray); if (SUCCEEDED(hr)) { if (_iqp.colidGroup != COLUMNID.NONE) { DWORD cGroups = spResultsArray.GetCount(); for (DWORD iGroup = 0; iGroup < cGroups && SUCCEEDED(hr); iGroup++) { if(ProfileItemGroup spsig = spResultsArray.GetGroup(iGroup)) { hr = _AddGroupToFileList(iGroup, spsig); } } } else { hr = _AddItemsToFileList(-1, spResultsArray); } } _lastResultsArray = spResultsArray; } if (SUCCEEDED(hr)) { // Select the first item LVITEM lviSelect; lviSelect.mask = LVIF_STATE; lviSelect.iItem = 0; lviSelect.state = LVIS_SELECTED | LVIS_FOCUSED; lviSelect.stateMask = LVIS_SELECTED | LVIS_FOCUSED; _wndFuncList.SendItemMessage(LVM_SETITEM, lviSelect); } _wndFuncList.SetRedraw(TRUE); _wndFuncList.InvalidateRect(null, FALSE); return hr; } string _demangle(string txt, bool fullDeco) { static if(__traits(compiles, (){uint p; decodeDmdString("", p);})) uint p = 0; else int p = 0; // until dmd 2.056 version(all) // debug // allow std 2.052 in debug builds enum hasTypeArg = __traits(compiles, { demangle("",true); }); else // ensure patched runtime in release enum hasTypeArg = true; static bool isDSymbolChar(char c) { if (('a' <= c && c <= 'z') || ('A' <= c && c <= 'Z') || ('0' <= c && c <= '9') || c == '_') return true; return (0x80 & c) != 0; // any compressed or unicode symbol } for (size_t i = 0; i < txt.length; i++) if (!isDSymbolChar(txt[i])) return txt; txt = decodeDmdString(txt, p); if(txt.length > 2 && txt[0] == '_' && txt[1] == 'D') { static if(hasTypeArg) txt = to!string(demangle(txt, fullDeco)); else { pragma(msg, text(__FILE__, "(", __LINE__, "): profiler._demangle uses compatibility mode, this won't allow disabling type info")); txt = to!string(demangle(txt)); } } return txt; } void _InsertFanInOut(ListView lv, Fan fan) { LVITEM lvi; lvi.pszText = _toUTF16z(_demangle(fan.func, _fFullDecoration != 0)); lvi.iItem = cast(int)lv.SendMessage(LVM_GETITEMCOUNT); lvi.mask = LVIF_TEXT; lv.SendItemMessage(LVM_INSERTITEM, lvi); lvi.pszText = _toUTF16z(to!string(fan.calls)); lvi.iSubItem = 1; lvi.mask = LVIF_TEXT; lv.SendItemMessage(LVM_SETITEM, lvi); } void RefreshFanInOutList(ProfileItem psi) { if(!psi || !_fShowFanInOut) return; _wndFanInList.SendMessage(LVM_DELETEALLITEMS); _wndFanOutList.SendMessage(LVM_DELETEALLITEMS); foreach(fan; psi.mFanIn) _InsertFanInOut(_wndFanInList, fan); foreach(fan; psi.mFanOut) _InsertFanInOut(_wndFanOutList, fan); } // Special icon dimensions for the sort direction indicator enum int c_cxSortIcon = 7; enum int c_cySortIcon = 6; HRESULT _CreateSortImageList(out HIMAGELIST phiml) { // Create an image list for the sort direction indicators HIMAGELIST himl = ImageList_Create(c_cxSortIcon, c_cySortIcon, ILC_COLORDDB | ILC_MASK, 2, 1); HRESULT hr = himl ? S_OK : E_OUTOFMEMORY; if (SUCCEEDED(hr)) { HICON hicn = cast(HICON)LoadImage(getInstance(), MAKEINTRESOURCE(IDI_DESCENDING), IMAGE_ICON, c_cxSortIcon, c_cySortIcon, LR_DEFAULTCOLOR | LR_SHARED); hr = hicn ? S_OK : HResultFromLastError(); if (SUCCEEDED(hr)) { hr = ImageList_ReplaceIcon(himl, -1, hicn) != -1 ? S_OK : E_FAIL; if (SUCCEEDED(hr)) { hicn = cast(HICON)LoadImage(getInstance(), MAKEINTRESOURCE(IDI_ASCENDING), IMAGE_ICON, c_cxSortIcon, c_cySortIcon, LR_DEFAULTCOLOR | LR_SHARED); hr = hicn ? S_OK : HResultFromLastError(); if (SUCCEEDED(hr)) { hr = ImageList_ReplaceIcon(himl, -1, hicn) != -1 ? S_OK : E_FAIL; if (SUCCEEDED(hr)) { phiml = himl; himl = null; } } } } if (himl) { ImageList_Destroy(himl); } } return hr; } HRESULT _AddSortIcon(int iIndex, BOOL fAscending) { if(iIndex < 0) return E_FAIL; // First, get the current header item fmt HDITEM hdi; hdi.mask = HDI_FORMAT; HRESULT hr = _wndFuncListHdr.SendMessage(HDM_GETITEM, iIndex, cast(LPARAM)&hdi) ? S_OK : E_FAIL; if (SUCCEEDED(hr)) { // Add the image mask and alignment hdi.mask |= HDI_IMAGE; hdi.fmt |= HDF_IMAGE; if ((hdi.fmt & HDF_JUSTIFYMASK) == HDF_LEFT) { hdi.fmt |= HDF_BITMAP_ON_RIGHT; } hdi.iImage = fAscending; hr = _wndFuncListHdr.SendMessage(HDM_SETITEM, iIndex, cast(LPARAM)&hdi) ? S_OK : E_FAIL; } return hr; } HRESULT _RemoveSortIcon(int iIndex) { if(iIndex < 0) return E_FAIL; // First, get the current header item fmt HDITEM hdi; hdi.mask = HDI_FORMAT; HRESULT hr = _wndFuncListHdr.SendMessage(HDM_GETITEM, iIndex, cast(LPARAM)&hdi) ? S_OK : E_FAIL; if (SUCCEEDED(hr)) { // Remove the image mask and alignment hdi.fmt &= ~HDF_IMAGE; if ((hdi.fmt & HDF_JUSTIFYMASK) == HDF_LEFT) { hdi.fmt &= ~HDF_BITMAP_ON_RIGHT; } hr = _wndFuncListHdr.SendMessage(HDM_SETITEM, iIndex, cast(LPARAM)&hdi) ? S_OK : E_FAIL; } return hr; } HRESULT _InsertListViewColumn(ListView lv, const(static_COLUMNINFO)[] static_rgColumns, int iIndex, COLUMNID colid, int cx, bool set = false) { LVCOLUMN lvc; lvc.mask = LVCF_FMT | LVCF_TEXT | LVCF_WIDTH; lvc.fmt = static_rgColumns[colid].fmt; lvc.cx = cx; HRESULT hr = S_OK; string strDisplayName = static_rgColumns[colid].displayName; lvc.pszText = _toUTF16z(strDisplayName); uint msg = set ? LVM_SETCOLUMNW : LVM_INSERTCOLUMNW; hr = lv.SendMessage(msg, iIndex, cast(LPARAM)&lvc) >= 0 ? S_OK : E_FAIL; if (SUCCEEDED(hr) && lv == _wndFuncList) { HDITEM hdi; hdi.mask = HDI_LPARAM; hdi.lParam = colid; hr = _wndFuncListHdr.SendMessage(HDM_SETITEM, iIndex, cast(LPARAM)&hdi) ? S_OK : E_FAIL; } return hr; } HRESULT _InsertListViewColumn(int iIndex, COLUMNID colid, int cx, bool set = false) { return _InsertListViewColumn(_wndFuncList, s_rgColumns, iIndex, colid, cx, set); } HRESULT _InitializeListColumns(ListView lv, const(COLUMNINFO)[] rgColumns, const(static_COLUMNINFO)[] static_rgColumns) { lv.SendMessage(LVM_DELETEALLITEMS); lv.SendMessage(LVM_REMOVEALLGROUPS); bool hasNameColumn = lv.SendMessage(LVM_GETCOLUMNWIDTH, 0) > 0; // cannot delete col 0, so keep name while(lv.SendMessage(LVM_DELETECOLUMN, 1)) {} HRESULT hr = S_OK; int cColumnsInserted = 0; for (UINT i = 0; i < rgColumns.length && SUCCEEDED(hr); i++) { const(COLUMNINFO)* ci = &(rgColumns[i]); if (ci.fVisible) { bool set = hasNameColumn ? cColumnsInserted == 0 : false; hr = _InsertListViewColumn(lv, static_rgColumns, cColumnsInserted++, ci.colid, ci.cx, set); } } return hr; } HRESULT _InitializeFuncListColumns() { HRESULT hr; hr = _InitializeListColumns(_wndFuncList, _rgColumns, s_rgColumns); hr |= _InitializeListColumns(_wndFanInList, default_FanColumns, s_rgFanInColumns); hr |= _InitializeListColumns(_wndFanOutList, default_FanColumns, s_rgFanOutColumns); return hr; } HRESULT _InitializeFuncList() { _wndFuncList.SendMessage(LVM_SETEXTENDEDLISTVIEWSTYLE, LVS_EX_FULLROWSELECT | LVS_EX_DOUBLEBUFFER | LVS_EX_LABELTIP, LVS_EX_FULLROWSELECT | LVS_EX_DOUBLEBUFFER | LVS_EX_LABELTIP); HIMAGELIST himl; HRESULT hr = _CreateSortImageList(himl); if (SUCCEEDED(hr)) { _wndFuncListHdr.SendMessage(HDM_SETIMAGELIST, HDMIL_PRIVATE, cast(LPARAM)himl); _InitializeFuncListColumns(); if (SUCCEEDED(hr)) { hr = _AddSortIcon(_ListViewIndexFromColumnID(_iqp.colidSort), _iqp.fSortAscending); if (SUCCEEDED(hr)) { _RefreshFileList(); } } } return hr; } // Special icon dimensions for the toolbar images enum int c_cxToolbarIcon = 16; enum int c_cyToolbarIcon = 15; HRESULT _CreateToolbarImageList(out HIMAGELIST phiml) { // Create an image list for the sort direction indicators int icons = IDR_LAST - IDR_FIRST + 1; HIMAGELIST himl = ImageList_Create(c_cxToolbarIcon, c_cyToolbarIcon, ILC_COLORDDB | ILC_MASK, icons, 1); HRESULT hr = himl ? S_OK : E_OUTOFMEMORY; if (SUCCEEDED(hr)) { // icons have image index IDR_XXX - IDR_FIRST for (int i = IDR_FIRST; i <= IDR_LAST && SUCCEEDED(hr); i++) { HICON hicn = cast(HICON)LoadImage(getInstance(), MAKEINTRESOURCE(i), IMAGE_ICON, c_cxToolbarIcon, c_cyToolbarIcon, LR_DEFAULTCOLOR | LR_SHARED); hr = hicn ? S_OK : HResultFromLastError(); if (SUCCEEDED(hr)) { hr = ImageList_ReplaceIcon(himl, -1, hicn) != -1 ? S_OK : E_FAIL; } } if (SUCCEEDED(hr)) { phiml = himl; himl = null; } if (himl) { ImageList_Destroy(himl); } } return hr; } HRESULT _InitializeToolbar() { HRESULT hr = _CreateToolbarImageList(_himlToolbar); if (SUCCEEDED(hr)) { int style = CCS_NODIVIDER | TBSTYLE_FLAT | TBSTYLE_TOOLTIPS | CCS_NORESIZE; //style |= (kToolBarAtTop ? CCS_TOP : CCS_BOTTOM); _wndToolbar = new ToolBar(_wndBack, style, TBSTYLE_EX_DOUBLEBUFFER, IDC_TOOLBAR); hr = _wndToolbar.hwnd ? S_OK : E_FAIL; if (SUCCEEDED(hr)) { _wndToolbar.SendMessage(TB_SETIMAGELIST, 0, cast(LPARAM)_himlToolbar); TBBUTTON initButton(int id, ubyte style) { return TBBUTTON(id < 0 ? IDR_LAST - IDR_FIRST + 1 : id - IDR_FIRST, id, TBSTATE_ENABLED, style, [0,0], 0, 0); } static const TBBUTTON[] s_tbb = [ initButton(IDR_ALTERNATEROWCOLOR, BTNS_CHECK), initButton(IDR_CLOSEONRETURN, BTNS_CHECK), initButton(IDR_FULLDECO, BTNS_CHECK), initButton(IDR_FANINOUT, BTNS_CHECK), initButton(-1, BTNS_SEP), initButton(IDR_SETTRACE, BTNS_BUTTON), initButton(IDR_REMOVETRACE, BTNS_BUTTON), initButton(IDR_REFRESH, BTNS_BUTTON), ]; hr = _wndToolbar.SendMessage(TB_ADDBUTTONS, s_tbb.length, cast(LPARAM)s_tbb.ptr) ? S_OK : E_FAIL; if (SUCCEEDED(hr)) { hr = _InitializeSwitches(); } } } return hr; } HRESULT _InitializeSwitches() { // Set the initial state of the buttons HRESULT hr = S_OK; _wndToolbar.EnableCheckButton(IDR_ALTERNATEROWCOLOR, true, _fAlternateRowColor != 0); _wndToolbar.EnableCheckButton(IDR_CLOSEONRETURN, true, _closeOnReturn != 0); //_wndToolbar.EnableCheckButton(IDR_GROUPBYKIND, true, _iqp.colidGroup == COLUMNID.KIND); _wndToolbar.EnableCheckButton(IDR_FANINOUT, true, _fShowFanInOut != 0); _wndToolbar.EnableCheckButton(IDR_FULLDECO, true, _fFullDecoration != 0); return hr; } extern(Windows) LRESULT _HdrWndProc(HWND hwnd, UINT uiMsg, WPARAM wParam, LPARAM lParam) { LRESULT lRet = 0; BOOL fHandled = FALSE; switch (uiMsg) { case WM_DESTROY: RemoveWindowSubclass(hwnd, &s_HdrWndProc, ID_SUBCLASS_HDR); break; case HDM_SETIMAGELIST: if (wParam == HDMIL_PRIVATE) { wParam = 0; } else { fHandled = TRUE; } break; default: break; } if (!fHandled) { lRet = DefSubclassProc(hwnd, uiMsg, wParam, lParam); } return lRet; } static extern(Windows) LRESULT s_HdrWndProc(HWND hWnd, UINT uiMsg, WPARAM wParam, LPARAM lParam, UINT_PTR uIdSubclass, DWORD_PTR dwRefData) { if(ProfilePane pfsec = cast(ProfilePane)cast(void*)dwRefData) return pfsec._HdrWndProc(hWnd, uiMsg, wParam, lParam); return DefSubclassProc(hWnd, uiMsg, wParam, lParam); } LRESULT _OnInitDialog(UINT uiMsg, WPARAM wParam, LPARAM lParam, ref BOOL fHandled) { if(_wndFileWheel) return S_OK; updateEnvironmentFont(); if(!mDlgFont) mDlgFont = newDialogFont(); if (SUCCEEDED(_InitializeViewState())) { _wndFileWheel = new Text(_wndBack, "", IDC_FILEWHEEL); int top = kToolBarAtTop ? kToolBarHeight : 1; _wndFileWheel.setRect(kBackMargin, top + kBackMargin, 185, 16); _wndFuncList = new ListView(_wndBack, LVS_REPORT | LVS_SINGLESEL | LVS_SHOWSELALWAYS | LVS_ALIGNLEFT | LVS_SHAREIMAGELISTS | WS_BORDER | WS_TABSTOP, 0, IDC_FILELIST); _wndFuncList.setRect(kBackMargin, top + kBackMargin + 20, 185, 78); HWND hdrHwnd = cast(HWND)_wndFuncList.SendMessage(LVM_GETHEADER); if(hdrHwnd) { _wndFuncListHdr = new Window(hdrHwnd); // HACK: This header control is created by the listview. When listview handles LVM_SETIMAGELIST with // LVSIL_SMALL it also forwards the message to the header control. The subclass proc will intercept those // messages and prevent resetting the imagelist SetWindowSubclass(_wndFuncListHdr.hwnd, &s_HdrWndProc, ID_SUBCLASS_HDR, cast(DWORD_PTR)cast(void*)this); //_wndFuncListHdr.SetDlgCtrlID(IDC_FILELISTHDR); } _wndFanInList = new ListView(_wndBack, LVS_REPORT | LVS_SINGLESEL | LVS_SHOWSELALWAYS | LVS_ALIGNLEFT | LVS_SHAREIMAGELISTS | WS_BORDER | WS_TABSTOP, 0, IDC_FANINLIST); _wndFanInList.setRect(kBackMargin, top + 20 + 78, 185, 40); _wndFanOutList = new ListView(_wndBack, LVS_REPORT | LVS_SINGLESEL | LVS_SHOWSELALWAYS | LVS_ALIGNLEFT | LVS_SHAREIMAGELISTS | WS_BORDER | WS_TABSTOP, 0, IDC_FANOUTLIST); _wndFanOutList.setRect(kBackMargin, top + 20 + 78 + 40, 185, 40); _InitializeFuncList(); _wndFanInList.SendMessage(LVM_SETEXTENDEDLISTVIEWSTYLE, LVS_EX_FULLROWSELECT | LVS_EX_DOUBLEBUFFER | LVS_EX_LABELTIP, LVS_EX_FULLROWSELECT | LVS_EX_DOUBLEBUFFER | LVS_EX_LABELTIP); _wndFanOutList.SendMessage(LVM_SETEXTENDEDLISTVIEWSTYLE, LVS_EX_FULLROWSELECT | LVS_EX_DOUBLEBUFFER | LVS_EX_LABELTIP, LVS_EX_FULLROWSELECT | LVS_EX_DOUBLEBUFFER | LVS_EX_LABELTIP); _InitializeToolbar(); } //return CComCompositeControl<CFlatSolutionExplorer>::OnInitDialog(uiMsg, wParam, lParam, fHandled); return S_OK; } LRESULT _OnCalcSize(UINT uiMsg, WPARAM wParam, LPARAM lParam, ref BOOL fHandled) { // _CheckSize(); return 0; } void _CheckSize() { RECT r, br; _wndParent.GetClientRect(&r); _wndBack.GetClientRect(&br); if(br.right - br.left != r.right - r.left - 2*kPaneMargin || br.bottom - br.top != r.bottom - r.top - 2*kPaneMargin) _wndBack.setRect(kPaneMargin, kPaneMargin, r.right - r.left - 2*kPaneMargin, r.bottom - r.top - 2*kPaneMargin); } LRESULT _OnSize(UINT uiMsg, WPARAM wParam, LPARAM lParam, ref BOOL fHandled) { int cx = LOWORD(lParam); int cy = HIWORD(lParam); return ResizeControls(cx, cy); } LRESULT ResizeControls(int cx, int cy) { // Adjust child control sizes // - File Wheel stretches to fit horizontally but size is vertically fixed // - File List stretches to fit horizontally and vertically but the topleft coordinate is fixed // - Toolbar autosizes along the bottom _wndToolbar.setRect(kBackMargin, kBackMargin, cx - 2 * kBackMargin, kToolBarHeight); int hTool = (kToolBarAtTop ? 0 : kToolBarHeight); int h = cy - hTool - 2 * kBackMargin; int hFan = _fShowFanInOut ? h / 4 : 0; int hFunc = h - 2 * hFan; RECT rcFileWheel; if (_wndFileWheel.GetWindowRect(&rcFileWheel)) { _wndBack.ScreenToClient(&rcFileWheel); rcFileWheel.right = cx - kBackMargin; _wndFileWheel.SetWindowPos(null, &rcFileWheel, SWP_NOMOVE | SWP_NOZORDER | SWP_NOACTIVATE); RECT rcFileList; if (_wndFuncList.GetWindowRect(&rcFileList)) { _wndBack.ScreenToClient(&rcFileList); rcFileList.right = cx - kBackMargin; rcFileList.bottom = hFunc + kBackMargin; _wndFuncList.SetWindowPos(null, &rcFileList, SWP_NOMOVE | SWP_NOZORDER | SWP_NOACTIVATE); rcFileList.top = rcFileList.bottom; rcFileList.bottom += hFan; if(_wndFanInList) _wndFanInList.SetWindowPos(null, &rcFileList, SWP_NOZORDER | SWP_NOACTIVATE); rcFileList.top = rcFileList.bottom; rcFileList.bottom += hFan; if(_wndFanOutList) _wndFanOutList.SetWindowPos(null, &rcFileList, SWP_NOZORDER | SWP_NOACTIVATE); } } return 0; } void RearrangeControls() { RECT rcBack; if (_wndBack.GetWindowRect(&rcBack)) ResizeControls(rcBack.right - rcBack.left, rcBack.bottom - rcBack.top); } LRESULT _OnSetFocus(UINT uiMsg, WPARAM wParam, LPARAM lParam, ref BOOL fHandled) { // Skip the CComCompositeControl handling // CComControl<CFlatSolutionExplorer, CAxDialogImpl<CFlatSolutionExplorer>>::OnSetFocus(uiMsg, wParam, lParam, fHandled); if(_wndFileWheel) { _wndFileWheel.SetFocus(); _wndFileWheel.SendMessage(EM_SETSEL, 0, cast(LPARAM)-1); fHandled = TRUE; } return 0; } LRESULT _OnKeyDown(UINT uiMsg, WPARAM wParam, LPARAM lParam, ref BOOL fHandled) { //HWND hwndFocus = .GetFocus(); //UINT cItems = cast(UINT)_wndFuncList.SendMessage(LVM_GETITEMCOUNT); //if (cItems && hwndFocus == _wndFileWheel.hwnd) { UINT vKey = LOWORD(wParam); switch(vKey) { case VK_UP: case VK_DOWN: case VK_PRIOR: case VK_NEXT: fHandled = TRUE; return _wndFuncList.SendMessage(uiMsg, wParam, lParam); // _MoveSelection(vKey == VK_DOWN); case VK_RETURN: case VK_EXECUTE: return _OnOpenSelectedItem(0, 0, null, fHandled); case VK_ESCAPE: if(_closeOnReturn) sWindowFrame.Hide(); break; default: break; } } return 0; } HRESULT _ToggleColumnVisibility(COLUMNID colid) { HRESULT hr = E_FAIL; COLUMNINFO *pci = _ColumnInfoFromColumnID(colid); BOOL fVisible = !pci.fVisible; if (fVisible) { int iIndex = 0; BOOL fDone = FALSE; for (size_t i = 0; i < _rgColumns.length && !fDone; i++) { COLUMNINFO *ci = &(_rgColumns[i]); if (ci.colid == colid) { fDone = TRUE; } else if (ci.fVisible) { iIndex++; } } hr = _InsertListViewColumn(iIndex, colid, pci.cx); if (SUCCEEDED(hr)) { pci.fVisible = TRUE; } } else { int iCol = _ListViewIndexFromColumnID(colid); hr = _wndFuncList.SendMessage(LVM_DELETECOLUMN, iCol) ? S_OK : E_FAIL; if (SUCCEEDED(hr)) { pci.fVisible = fVisible; if (colid == _iqp.colidSort) { hr = _SetSortColumn(COLUMNID.NAME, 0); } } } if (SUCCEEDED(hr)) { _WriteColumnInfoToRegistry(); } return hr; } HRESULT _ChooseColumns(POINT pt) { HMENU hmnu = CreatePopupMenu(); HRESULT hr = hmnu ? S_OK : HResultFromLastError(); if (SUCCEEDED(hr)) { MENUITEMINFO mii; mii.cbSize = mii.sizeof; mii.fMask = MIIM_FTYPE | MIIM_ID | MIIM_STATE | MIIM_STRING; mii.fType = MFT_STRING; // Don't include the first column (COLUMNID.NAME) in the list for (size_t i = COLUMNID.NAME + 1; i < _rgColumns.length && SUCCEEDED(hr); i++) { COLUMNINFO *ci = &(_rgColumns[i]); string strDisplayName = s_rgColumns[ci.colid].displayName; mii.fState = MFS_ENABLED; if (ci.fVisible) { mii.fState |= MFS_CHECKED; } mii.wID = ci.colid + IDM_COLUMNLISTBASE; mii.dwTypeData = _toUTF16z(strDisplayName); if(!InsertMenuItem(hmnu, cast(UINT)i-1, TRUE, &mii)) hr = HResultFromLastError(); } if (SUCCEEDED(hr)) { UINT uiCmd = TrackPopupMenuEx(hmnu, TPM_RETURNCMD | TPM_NONOTIFY | TPM_HORIZONTAL | TPM_TOPALIGN | TPM_LEFTALIGN, pt.x, pt.y, _wndBack.hwnd, null); if (uiCmd) { hr = _ToggleColumnVisibility(cast(COLUMNID)(uiCmd - IDM_COLUMNLISTBASE)); } } DestroyMenu(hmnu); } return hr; } LRESULT _OnContextMenu(UINT uiMsg, WPARAM wParam, LPARAM lParam, ref BOOL fHandled) { fHandled = FALSE; HWND hwndContextMenu = cast(HWND)wParam; // I think the listview is doing the wrong thing with WM_CONTEXTMENU and using its own HWND even if // the WM_CONTEXTMENU originated in the header. Just double check the coordinates to be sure if (hwndContextMenu == _wndFuncList.hwnd) { RECT rcHdr; if (_wndFuncListHdr.GetWindowRect(&rcHdr)) { POINT pt; pt.x = GET_X_LPARAM(lParam); pt.y = GET_Y_LPARAM(lParam); if (PtInRect(&rcHdr, pt)) { fHandled = TRUE; _ChooseColumns(pt); } } } return 0; } LRESULT _OnDestroy(UINT uiMsg, WPARAM wParam, LPARAM lParam, ref BOOL fHandled) { if (_himlToolbar) { _wndToolbar.SendMessage(TB_SETIMAGELIST, 0, cast(LPARAM)null); ImageList_Destroy(_himlToolbar); _himlToolbar = null; } fHandled = TRUE; // return CComCompositeControl<CFlatSolutionExplorer>::OnDestroy(uiMsg, wParam, lParam, fHandled); return 0; } HRESULT _OpenProfileItem(string pszPath, int line) { HRESULT hr = S_OK; version(all) { hr = OpenFileInSolution(pszPath, line); } else { if(dte80.DTE2 dte = GetDTE()) { scope(exit) release(dte); ComPtr!(dte80.ItemOperations) spvsItemOperations; hr = dte.ItemOperations(&spvsItemOperations.ptr); if (SUCCEEDED(hr)) { ComPtr!(dte80a.Window) spvsWnd; hr = spvsItemOperations.OpenFile(_toUTF16z(pszPath), null, &spvsWnd.ptr); } } } if(hr == S_OK && _closeOnReturn) sWindowFrame.Hide(); return hr; } LRESULT _OnOpenSelectedItem(WORD wNotifyCode, WORD wID, HWND hwndCtl, ref BOOL fHandled) { int iSel = _wndFuncList.SendMessage(LVM_GETNEXTITEM, cast(WPARAM)-1, LVNI_SELECTED); if (iSel != -1) { _OpenProfileItem(iSel); } else { _OpenProfileItem(_wndFileWheel.GetWindowText(), -1); } fHandled = TRUE; return 0; } LRESULT _OnFileWheelChanged(WORD wNotifyCode, WORD wID, HWND hwndCtl, ref BOOL fHandled) { fHandled = TRUE; _RefreshFileList(); return 0; } HRESULT _SetGroupColumn(COLUMNID colid) { _iqp.colidGroup = colid; _WriteViewOptionToRegistry("GroupColumn"w, _iqp.colidGroup); return _RefreshFileList(); } int _ListViewIndexFromColumnID(COLUMNID colid) { int iCol = -1; int cCols = _wndFuncListHdr.SendMessage(HDM_GETITEMCOUNT); for (int i = 0; i < cCols && iCol == -1; i++) { HDITEM hdi; hdi.mask = HDI_LPARAM; if (_wndFuncListHdr.SendMessage(HDM_GETITEM, i, cast(LPARAM)&hdi) && hdi.lParam == colid) { iCol = i; } } return iCol; } COLUMNINFO *_ColumnInfoFromColumnID(COLUMNID colid) { COLUMNINFO *pci = null; for (size_t iCol = 0; iCol < _rgColumns.length && pci is null; iCol++) { COLUMNINFO *ci = &(_rgColumns[iCol]); if (ci.colid == colid) { pci = ci; } } return pci; } LRESULT _OnCheckBtnClicked(WORD wNotifyCode, WORD wID, HWND hwndCtl, ref BOOL fHandled) { TBBUTTONINFO tbbi; tbbi.cbSize = tbbi.sizeof; tbbi.dwMask = TBIF_STATE; if (_wndToolbar.SendMessage(TB_GETBUTTONINFO, wID, cast(LPARAM)&tbbi) != -1) { bool checked = !!(tbbi.fsState & TBSTATE_CHECKED); switch(wID) { case IDR_ALTERNATEROWCOLOR: _fAlternateRowColor = checked; _WriteViewOptionToRegistry("AlternateRowColor"w, _fAlternateRowColor); _wndFuncList.InvalidateRect(null, FALSE); break; case IDR_CLOSEONRETURN: _closeOnReturn = checked; _WriteViewOptionToRegistry("CloseOnReturn"w, _closeOnReturn); break; case IDR_FANINOUT: _fShowFanInOut = checked; _WriteViewOptionToRegistry("ShowFanInOut"w, _fShowFanInOut); RearrangeControls(); break; case IDR_REFRESH: _RefreshFileList(); break; case IDR_SETTRACE: if(Config cfg = getCurrentStartupConfig()) { scope(exit) release(cfg); string workdir = cfg.GetProjectOptions().replaceEnvironment(cfg.GetProjectOptions().debugworkingdir, cfg); if(!isAbsolute(workdir)) workdir = cfg.GetProjectDir() ~ "\\" ~ workdir; string tracelog = workdir ~ "trace.log"; _wndFileWheel.SetWindowText(tracelog); _RefreshFileList(); } break; case IDR_REMOVETRACE: string fname = _wndFileWheel.GetWindowText(); if(std.file.exists(fname)) std.file.remove(fname); _RefreshFileList(); break; case IDR_FULLDECO: _fFullDecoration = checked; _WriteViewOptionToRegistry("FullDecoration"w, _fFullDecoration); _RefreshFileList(); break; /+ case IDR_GROUPBYKIND: _SetGroupColumn(checked ? COLUMNID.KIND : COLUMNID.NONE); break; +/ default: return 1; } } fHandled = TRUE; return 0; } //////////////////////////////////////////////////////////////////////// COLUMNID _ColumnIDFromListViewIndex(int iIndex) { COLUMNID colid = COLUMNID.NONE; HDITEM hdi; hdi.mask = HDI_LPARAM; if (_wndFuncListHdr.SendMessage(HDM_GETITEM, iIndex, cast(LPARAM)&hdi)) { colid = cast(COLUMNID)hdi.lParam; } return colid; } //////////////////////////////////////////////////////////////////////// LRESULT _OnFileListGetDispInfo(int idCtrl, in NMHDR *pnmh, ref BOOL fHandled) { NMLVDISPINFO *pnmlvdi = cast(NMLVDISPINFO *)pnmh; if (pnmlvdi.item.mask & LVIF_TEXT) { LVITEM lvi; lvi.mask = LVIF_PARAM; lvi.iItem = pnmlvdi.item.iItem; if (_wndFuncList.SendItemMessage(LVM_GETITEM, lvi)) { pnmlvdi.item.mask |= LVIF_DI_SETITEM; ProfileItem psiWeak = cast(ProfileItem)cast(void*)lvi.lParam; string txt; switch (_ColumnIDFromListViewIndex(pnmlvdi.item.iSubItem)) { case COLUMNID.NAME: txt = _demangle(psiWeak.GetName(), _fFullDecoration != 0); break; case COLUMNID.CALLS: long cb = psiWeak.GetCalls(); txt = to!string(cb); break; case COLUMNID.TREETIME: long cb = psiWeak.GetTreeTime(); cb = cast(long) (cb * 1000000.0 / _spsii.mTicksPerSec); txt = to!string(cb); break; case COLUMNID.FUNCTIME: long cb = psiWeak.GetFuncTime(); cb = cast(long) (cb * 1000000.0 / _spsii.mTicksPerSec); txt = to!string(cb); break; case COLUMNID.CALLTIME: long cb = psiWeak.GetCallTime(); cb = cast(long) (cb * 1000000.0 / _spsii.mTicksPerSec); txt = to!string(cb); break; default: break; } wstring wtxt = toUTF16(txt) ~ '\000'; int cnt = min(wtxt.length, pnmlvdi.item.cchTextMax); pnmlvdi.item.pszText[0..cnt] = wtxt.ptr[0..cnt]; } } fHandled = TRUE; return 0; } void _ReinitViewState(bool refresh) { _WriteViewStateToRegistry(); _RemoveSortIcon(_ListViewIndexFromColumnID(_iqp.colidSort)); _InitializeViewState(); _InitializeSwitches(); _AddSortIcon(_ListViewIndexFromColumnID(_iqp.colidSort), _iqp.fSortAscending); _InitializeFuncListColumns(); _RefreshFileList(); } RegKey _GetCurrentRegKey(bool write) { GlobalOptions opt = Package.GetGlobalOptions(); opt.getRegistryRoot(); wstring regPath = opt.regUserRoot ~ regPathToolsOptions ~ "\\ProfileSymbolWindow"w; return new RegKey(opt.hUserKey, regPath, write); } HRESULT _InitializeViewState() { HRESULT hr = S_OK; try { scope RegKey keyWinOpts = _GetCurrentRegKey(false); if(keyWinOpts.GetDWORD("ColumnInfoVersion"w, 0) == 1) { void[] data = keyWinOpts.GetBinary("ColumnInfo"w); if(data !is null) _rgColumns = cast(COLUMNINFO[])data; } _iqp.colidSort = cast(COLUMNID) keyWinOpts.GetDWORD("SortColumn"w, _iqp.colidSort); _iqp.colidGroup = cast(COLUMNID) keyWinOpts.GetDWORD("GroupColumn"w, _iqp.colidGroup); _fAlternateRowColor = keyWinOpts.GetDWORD("AlternateRowColor"w, _fAlternateRowColor) != 0; _closeOnReturn = keyWinOpts.GetDWORD("closeOnReturn"w, _closeOnReturn) != 0; _fShowFanInOut = keyWinOpts.GetDWORD("ShowFanInOut"w, _fShowFanInOut) != 0; _fFullDecoration = keyWinOpts.GetDWORD("FullDecoration"w, _fFullDecoration) != 0; } catch(Exception e) { // ok to fail, defaults still work } return hr; } HRESULT _WriteViewStateToRegistry() { _WriteColumnInfoToRegistry(); HRESULT hr = S_OK; try { scope RegKey keyWinOpts = _GetCurrentRegKey(true); keyWinOpts.Set("SortColumn"w, _iqp.colidSort); keyWinOpts.Set("GroupColumn"w, _iqp.colidGroup); keyWinOpts.Set("SortAscending"w, _iqp.fSortAscending); keyWinOpts.Set("AlternateRowColor"w, _fAlternateRowColor); keyWinOpts.Set("closeOnReturn"w, _closeOnReturn); } catch(Exception e) { hr = E_FAIL; } return hr; } HRESULT _WriteColumnInfoToRegistry() { HRESULT hr = S_OK; for(int i = 0; i < _rgColumns.length; i++) _rgColumns[i].cx = _wndFuncList.SendMessage(LVM_GETCOLUMNWIDTH, _ListViewIndexFromColumnID(_rgColumns[i].colid)); try { scope RegKey keyWinOpts = _GetCurrentRegKey(true); keyWinOpts.Set("ColumnInfoVersion"w, kColumnInfoVersion); keyWinOpts.Set("ColumnInfo"w, _rgColumns); } catch(Exception e) { hr = E_FAIL; } return hr; } HRESULT _WriteViewOptionToRegistry(wstring name, DWORD dw) { HRESULT hr = S_OK; try { scope RegKey keyWinOpts = _GetCurrentRegKey(true); keyWinOpts.Set(toUTF16(name), dw); } catch(Exception e) { hr = E_FAIL; } return hr; } HRESULT _WriteSortInfoToRegistry() { HRESULT hr = S_OK; try { scope RegKey keyWinOpts = _GetCurrentRegKey(true); keyWinOpts.Set("SortColumn"w, _iqp.colidSort); keyWinOpts.Set("SortAscending"w, _iqp.fSortAscending); } catch(Exception e) { hr = E_FAIL; } return hr; } HRESULT _SetSortColumn(COLUMNID colid, int iIndex) { HRESULT hr = S_OK; bool fSortAscending = true; if (colid == _iqp.colidSort) { fSortAscending = !_iqp.fSortAscending; } else { int iIndexCur = _ListViewIndexFromColumnID(_iqp.colidSort); if (iIndexCur != -1) // Current sort column may have been removed from the list view { hr = _RemoveSortIcon(iIndexCur); } } if (SUCCEEDED(hr)) { hr = _AddSortIcon(iIndex, fSortAscending); if (SUCCEEDED(hr)) { _iqp.colidSort = colid; _iqp.fSortAscending = fSortAscending; _WriteSortInfoToRegistry(); hr = _RefreshFileList(); } } return hr; } LRESULT _OnFileListColumnClick(int idCtrl, ref NMHDR *pnmh, ref BOOL fHandled) { NMLISTVIEW *pnmlv = cast(NMLISTVIEW *)pnmh; _SetSortColumn(_ColumnIDFromListViewIndex(pnmlv.iSubItem), pnmlv.iSubItem); fHandled = TRUE; return 0; } LRESULT _OnFileListDeleteItem(int idCtrl, ref NMHDR *pnmh, ref BOOL fHandled) { NMLISTVIEW *pnmlv = cast(NMLISTVIEW *)pnmh; ProfileItem psi = cast(ProfileItem)cast(void*)pnmlv.lParam; // psi.Release(); fHandled = TRUE; return 0; } LRESULT _OnFileListItemChanged(int idCtrl, ref NMHDR *pnmh, ref BOOL fHandled) { NMLISTVIEW *pnmlv = cast(NMLISTVIEW *)pnmh; if (pnmlv.uNewState & LVIS_SELECTED) { ProfileItem psi = _lastResultsArray.GetItem(pnmlv.iItem); RefreshFanInOutList(psi); _lastSelectedItem = pnmlv.iItem; } fHandled = TRUE; return 0; } LRESULT _OnFanInOutListDblClick(bool fanin, ref NMHDR *pnmh, ref BOOL fHandled) { NMLISTVIEW *pnmlv = cast(NMLISTVIEW *)pnmh; ProfileItem psi = _lastResultsArray.GetItem(_lastSelectedItem); if(psi) { Fan[] fan = fanin ? psi.mFanIn : psi.mFanOut; if(pnmlv.iItem >= 0 && pnmlv.iItem < fan.length) { string func = fan[pnmlv.iItem].func; int idx = _lastResultsArray.findFunc(func); if(idx >= 0) { int sel = _wndFuncList.SendMessage(LVM_GETNEXTITEM, cast(WPARAM)-1, LVNI_SELECTED); _UpdateSelection(sel, idx); } } } fHandled = TRUE; return 0; } HRESULT _OpenProfileItem(int iIndex) { ProfileItem psi = _lastResultsArray.GetItem(iIndex); if(!psi) return E_FAIL; SearchData sd; sd.wholeWord = true; sd.caseSensitive = true; sd.noDupsOnSameLine = true; string name = _demangle(psi.GetName(), false); if(std.string.indexOf(name, '.') >= 0) { sd.findQualifiedName = true; sd.names ~= name; } else { if(name == "__Dmain") sd.names ~= "main"; else if(name.length > 0 && name[0] == '_') sd.names ~= name[1..$]; // assume extern "C", cutoff '_' else sd.names ~= name; } Definition[] defs = Package.GetLibInfos().findDefinition(sd); if(defs.length == 0) { showStatusBarText("No definition found for '" ~ sd.names[0] ~ "'"); return S_FALSE; } if(defs.length > 1) { // TODO: match types to find best candidate? showStatusBarText("Multiple definitions found for '" ~ sd.names[0] ~ "'"); } HRESULT hr = S_FALSE; for(int i = 0; i < defs.length && hr != S_OK; i++) hr = OpenFileInSolution(defs[i].filename, defs[i].line); if(hr != S_OK) showStatusBarText(format("Cannot open %s(%d) for definition of '%s'", defs[0].filename, defs[0].line, sd.names[0])); return hr; } LRESULT _OnFileListDblClick(int idCtrl, ref NMHDR *pnmh, ref BOOL fHandled) { NMITEMACTIVATE *pnmitem = cast(NMITEMACTIVATE*) pnmh; if (FAILED(_OpenProfileItem(pnmitem.iItem))) { MessageBeep(MB_ICONHAND); } fHandled = TRUE; return 0; } void _SetAlternateRowColor() { COLORREF cr = GetSysColor(COLOR_HIGHLIGHT); BYTE r = GetRValue(cr); BYTE g = GetGValue(cr); BYTE b = GetBValue(cr); BYTE rNew = 236; BYTE gNew = 236; BYTE bNew = 236; if (r > g && r > b) { rNew = 244; } else if (g > r && g > b) { gNew = 244; } else { bNew = 244; } _crAlternate = RGB(rNew, gNew, bNew); } LRESULT _OnFileListCustomDraw(int idCtrl, ref NMHDR *pnmh, ref BOOL fHandled) { LRESULT lRet = CDRF_DODEFAULT; NMLVCUSTOMDRAW *pnmlvcd = cast(NMLVCUSTOMDRAW *)pnmh; switch (pnmlvcd.nmcd.dwDrawStage) { case CDDS_PREPAINT: _SetAlternateRowColor(); lRet = CDRF_NOTIFYITEMDRAW; break; case CDDS_ITEMPREPAINT: { // Override the colors so that regardless of the focus state, the control appears focused. // We can't rely on the pnmlvcd.nmcd.uItemState for this because there is a known bug // with listviews that have the LVS_EX_SHOWSELALWAYS style where this bit is set for // every item LVITEM lvi; lvi.mask = LVIF_STATE; lvi.iItem = cast(int)pnmlvcd.nmcd.dwItemSpec; lvi.stateMask = LVIS_SELECTED; if (_wndFuncList.SendItemMessage(LVM_GETITEM, lvi) && (lvi.state & LVIS_SELECTED)) { pnmlvcd.clrText = GetSysColor(COLOR_HIGHLIGHTTEXT); pnmlvcd.clrTextBk = GetSysColor(COLOR_HIGHLIGHT); pnmlvcd.nmcd.uItemState &= ~CDIS_SELECTED; lRet = CDRF_NEWFONT; } else { if (_fAlternateRowColor && !(pnmlvcd.nmcd.dwItemSpec % 2)) { // TODO: Eventually, it might be nice to build a color based on COLOR_HIGHLIGHT. pnmlvcd.clrTextBk = _crAlternate; pnmlvcd.nmcd.uItemState &= ~CDIS_SELECTED; lRet = CDRF_NEWFONT; } } break; } default: break; } fHandled = TRUE; return lRet; } LRESULT _OnFileListHdrItemChanged(int idCtrl, ref NMHDR *pnmh, ref BOOL fHandled) { NMHEADER *pnmhdr = cast(NMHEADER *)pnmh; if (pnmhdr.pitem.mask & HDI_WIDTH) { COLUMNID colid = _ColumnIDFromListViewIndex(pnmhdr.iItem); COLUMNINFO *pci = _ColumnInfoFromColumnID(colid); pci.cx = pnmhdr.pitem.cxy; _WriteColumnInfoToRegistry(); } fHandled = TRUE; return 0; } LRESULT _OnToolbarGetInfoTip(int idCtrl, ref NMHDR *pnmh, ref BOOL fHandled) { NMTBGETINFOTIP *pnmtbgit = cast(NMTBGETINFOTIP *)pnmh; string tip; switch(pnmtbgit.iItem) { case IDR_ALTERNATEROWCOLOR: tip = "Toggle alternating row background color"; break; case IDR_FULLDECO: tip = "Show full name decoration"; break; case IDR_CLOSEONRETURN: tip = "Close search window when item selected or focus lost"; break; case IDR_FANINOUT: tip = "Show Fan In/Out"; break; case IDR_REFRESH: tip = "Reread trace log to update display"; break; case IDR_SETTRACE: tip = "Set trace log file from current project"; break; case IDR_REMOVETRACE: tip = "Delete current trace.log to reinit profiling"; break; default: break; } wstring wtip = toUTF16(tip) ~ '\000'; int cnt = min(wtip.length, pnmtbgit.cchTextMax); pnmtbgit.pszText[0..cnt] = wtip.ptr[0..cnt]; fHandled = TRUE; return 0; } } class ItemArray { ProfileItem[] mItems; ProfileItemGroup[] mGroups; void add(ProfileItem item) { mItems ~= item; } void addByGroup(string grp, ProfileItem item) { for(int i = 0; i < mGroups.length; i++) if(mGroups[i].GetName() == grp) return mGroups[i].add(item); auto group = new ProfileItemGroup(grp); group.add(item); mGroups ~= group; } int GetCount() const { return max(mItems.length, mGroups.length); } ProfileItemGroup GetGroup(uint idx) const { if(idx >= mGroups.length) return null; return cast(ProfileItemGroup)mGroups[idx]; } ProfileItem GetItem(uint idx) const { if(idx >= mItems.length) return null; return cast(ProfileItem)mItems[idx]; } int findFunc(string name) { foreach(i, psi; mItems) if(psi.GetName() == name) return i; return -1; } void sort(COLUMNID id, bool ascending) { void doSort(string method)(ref ProfileItem[] items) { if(ascending) std.algorithm.sort!("a." ~ method ~ "() < b." ~ method ~ "()")(items); else std.algorithm.sort!("a." ~ method ~ "() > b." ~ method ~ "()")(items); } switch(id) { case COLUMNID.NAME: doSort!"GetName"(mItems); break; case COLUMNID.CALLS: doSort!"GetCalls"(mItems); break; case COLUMNID.TREETIME: doSort!"GetTreeTime"(mItems); break; case COLUMNID.FUNCTIME: doSort!"GetFuncTime"(mItems); break; case COLUMNID.CALLTIME: doSort!"GetCallTime"(mItems); break; default: break; } foreach(grp; mGroups) grp.mArray.sort(id, ascending); } } class ProfileItemGroup { this(string name) { mName = name; mArray = new ItemArray; } void add(ProfileItem item) { mArray.add(item); } string GetName() const { return mName; } const(ItemArray) GetItems() const { return mArray; } ItemArray mArray; string mName; } struct Fan { string func; long calls; } class ProfileItem { int GetIconIndex() const { return 0; } string GetName() const { return mName; } long GetCalls() const { return mCalls; } long GetTreeTime() const { return mTreeTime; } long GetFuncTime() const { return mFuncTime; } long GetCallTime() const { return mCalls ? mFuncTime / mCalls : 0; } string mName; long mCalls; long mTreeTime; long mFuncTime; Fan[] mFanIn; Fan[] mFanOut; } class ProfileItemIndex { HRESULT Update(string fname, INDEXQUERYPARAMS *piqp, ItemArray *ppv) { ItemArray array = new ItemArray; *ppv = array; if(!std.file.exists(fname)) return S_FALSE; ubyte[] text; // not valid utf8 try { ProfileItem curItem; File file = File(fname, "rb"); char[] buf; while(file.readln(buf)) { if(buf[0] == '-') { curItem = new ProfileItem; array.add(curItem); } else if(buf[0] == '=') { int pos = std.string.indexOf(buf, "Timer Is"); if(pos > 0) { char[] txt = buf[pos + 9 .. $]; mTicksPerSec = parse!long(txt); } break; } else if(curItem) { char[] txt = buf; _munch(txt, " \t\n\r"); if(txt.length > 0 && isDigit(txt[0])) { long calls; if(parseLong(txt, calls)) { char[] id = parseNonSpace(txt); if(id.length > 0) { _munch(txt, " \t\n\r"); if(txt.length == 0) { Fan fan = Fan(to!string(id), calls); if(curItem.mName.length) curItem.mFanOut ~= fan; else curItem.mFanIn ~= fan; } } } } else if(txt.length > 0) { long calls, treeTime, funcTime; char[] id = parseNonSpace(txt); if(id.length > 0 && parseLong(txt, calls) && parseLong(txt, treeTime) && parseLong(txt, funcTime)) { _munch(txt, " \t\n\r"); if(txt.length == 0) { curItem.mName = to!string(id); curItem.mCalls = calls; curItem.mTreeTime = treeTime; curItem.mFuncTime = funcTime; } } } } } array.sort(piqp.colidSort, piqp.fSortAscending); return S_OK; } catch(Exception e) { return E_FAIL; } } long mTicksPerSec = 1; }
D
/** * Hash Set * Copyright: © 2015 Economic Modeling Specialists, Intl. * Authors: Brian Schott * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) */ module containers.hashset; private import containers.internal.hash : generateHash, hashToIndex; private import containers.internal.node : shouldAddGCRange; private import stdx.allocator.mallocator : Mallocator; private import std.traits : isBasicType; /** * Hash Set. * Params: * T = the element type * Allocator = the allocator to use. Defaults to `Mallocator`. * hashFunction = the hash function to use on the elements * supportGC = true if the container should support holding references to * GC-allocated memory. */ struct HashSet(T, Allocator = Mallocator, alias hashFunction = generateHash!T, bool supportGC = shouldAddGCRange!T, bool storeHash = !isBasicType!T) { this(this) @disable; private import stdx.allocator.common : stateSize; static if (stateSize!Allocator != 0) { this() @disable; /** * Use the given `allocator` for allocations. */ this(Allocator allocator) in { assert(allocator !is null, "Allocator must not be null"); } body { this.allocator = allocator; } /** * Constructs a HashSet with an initial bucket count of bucketCount. * bucketCount must be a power of two. */ this(size_t bucketCount, Allocator allocator) in { assert(allocator !is null, "Allocator must not be null"); assert ((bucketCount & (bucketCount - 1)) == 0, "bucketCount must be a power of two"); } body { this.allocator = allocator; initialize(bucketCount); } } else { /** * Constructs a HashSet with an initial bucket count of bucketCount. * bucketCount must be a power of two. */ this(size_t bucketCount) in { assert ((bucketCount & (bucketCount - 1)) == 0, "bucketCount must be a power of two"); } body { initialize(bucketCount); } } ~this() { import stdx.allocator : dispose; import core.memory : GC; static if (useGC) GC.removeRange(buckets.ptr); allocator.dispose(buckets); } /** * Removes all items from the set */ void clear() { foreach (ref bucket; buckets) { destroy(bucket); bucket = Bucket.init; } _length = 0; } /** * Removes the given item from the set. * Returns: false if the value was not present */ bool remove(T value) { if (buckets.length == 0) return false; immutable Hash hash = hashFunction(value); immutable size_t index = hashToIndex(hash, buckets.length); static if (storeHash) immutable bool removed = buckets[index].remove(ItemNode(hash, value)); else immutable bool removed = buckets[index].remove(ItemNode(value)); if (removed) --_length; return removed; } /** * Returns: true if value is contained in the set. */ bool contains(T value) inout { return (value in this) !is null; } /** * Supports $(B a in b) syntax */ inout(T)* opBinaryRight(string op)(T value) inout if (op == "in") { if (buckets.length == 0 || _length == 0) return null; immutable Hash hash = hashFunction(value); immutable index = hashToIndex(hash, buckets.length); return buckets[index].get(value, hash); } /** * Inserts the given item into the set. * Params: value = the value to insert * Returns: true if the value was actually inserted, or false if it was * already present. */ bool insert(T value) { if (buckets.length == 0) initialize(4); Hash hash = hashFunction(value); immutable size_t index = hashToIndex(hash, buckets.length); static if (storeHash) auto r = buckets[index].insert(ItemNode(hash, value)); else auto r = buckets[index].insert(ItemNode(value)); if (r) ++_length; if (shouldRehash) rehash(); return r; } /// ditto bool opOpAssign(string op)(T item) if (op == "~") { return insert(item); } /// ditto alias put = insert; /// ditto alias insertAnywhere = insert; /** * Returns: true if the set has no items */ bool empty() const nothrow pure @nogc @safe @property { return _length == 0; } /** * Returns: the number of items in the set */ size_t length() const nothrow pure @nogc @safe @property { return _length; } /** * Forward range interface */ auto opSlice(this This)() nothrow @nogc @trusted { return Range!(This)(&this); } private: import containers.internal.element_type : ContainerElementType; import containers.internal.mixins : AllocatorState; import containers.internal.node : shouldAddGCRange, FatNodeInfo; import containers.internal.storage_type : ContainerStorageType; import std.traits : isPointer; alias LengthType = ubyte; alias N = FatNodeInfo!(ItemNode.sizeof, 1, 64, LengthType.sizeof); enum ITEMS_PER_NODE = N[0]; static assert(LengthType.max > ITEMS_PER_NODE); enum bool useGC = supportGC && shouldAddGCRange!T; alias Hash = typeof({ T v = void; return hashFunction(v); }()); void initialize(size_t bucketCount) { import core.memory : GC; import stdx.allocator : makeArray; makeBuckets(bucketCount); static if (useGC) GC.addRange(buckets.ptr, buckets.length * Bucket.sizeof); } static struct Range(ThisT) { this(ThisT* t) { foreach (i, ref bucket; t.buckets) { bucketIndex = i; if (bucket.root !is null) { currentNode = cast(Bucket.BucketNode*) bucket.root; break; } } this.t = t; } bool empty() const nothrow @safe @nogc @property { return currentNode is null; } ET front() nothrow @safe @nogc @property { return cast(ET) currentNode.items[nodeIndex].value; } void popFront() nothrow @trusted @nogc { if (nodeIndex + 1 < currentNode.l) { ++nodeIndex; return; } else { nodeIndex = 0; if (currentNode.next is null) { ++bucketIndex; while (bucketIndex < t.buckets.length && t.buckets[bucketIndex].root is null) ++bucketIndex; if (bucketIndex < t.buckets.length) currentNode = cast(Bucket.BucketNode*) t.buckets[bucketIndex].root; else currentNode = null; } else { currentNode = currentNode.next; assert(currentNode.l > 0); } } } private: alias ET = ContainerElementType!(ThisT, T); ThisT* t; Bucket.BucketNode* currentNode; size_t bucketIndex; size_t nodeIndex; } void makeBuckets(size_t bucketCount) { import stdx.allocator : makeArray; static if (stateSize!Allocator == 0) buckets = allocator.makeArray!Bucket(bucketCount); else { import std.conv:emplace; buckets = cast(Bucket[]) allocator.allocate(Bucket.sizeof * bucketCount); foreach (ref bucket; buckets) emplace!Bucket(&bucket, allocator); } } bool shouldRehash() const pure nothrow @safe @nogc { immutable float numberOfNodes = cast(float) _length / cast(float) ITEMS_PER_NODE; return (numberOfNodes / cast(float) buckets.length) > 0.75f; } void rehash() @trusted { import stdx.allocator : makeArray, dispose; import core.memory : GC; immutable size_t newLength = buckets.length << 1; Bucket[] oldBuckets = buckets; makeBuckets(newLength); assert (buckets); assert (buckets.length == newLength); static if (useGC) GC.addRange(buckets.ptr, buckets.length * Bucket.sizeof); foreach (ref const bucket; oldBuckets) { for (Bucket.BucketNode* node = cast(Bucket.BucketNode*) bucket.root; node !is null; node = node.next) { for (size_t i = 0; i < node.l; ++i) { static if (storeHash) { immutable Hash hash = node.items[i].hash; size_t index = hashToIndex(hash, buckets.length); buckets[index].insert(ItemNode(hash, node.items[i].value)); } else { immutable Hash hash = hashFunction(node.items[i].value); size_t index = hashToIndex(hash, buckets.length); buckets[index].insert(ItemNode(node.items[i].value)); } } } } static if (useGC) GC.removeRange(oldBuckets.ptr); allocator.dispose(oldBuckets); } static struct Bucket { this(this) @disable; static if (stateSize!Allocator != 0) { this(Allocator allocator) { this.allocator = allocator; } this() @disable; } ~this() { import core.memory : GC; import stdx.allocator : dispose; BucketNode* current = root; BucketNode* previous; while (true) { if (previous !is null) { static if (useGC) GC.removeRange(previous); allocator.dispose(previous); } previous = current; if (current is null) break; current = current.next; } } static struct BucketNode { ContainerStorageType!(T)* get(ItemNode n) { foreach (ref item; items[0 .. l]) { static if (storeHash) { static if (isPointer!T) { if (item.hash == n.hash && *item.value == *n.value) return &item.value; } else { if (item.hash == n.hash && item.value == n.value) return &item.value; } } else { static if (isPointer!T) { if (*item.value == *n.value) return &item.value; } else { if (item.value == n.value) return &item.value; } } } return null; } void insert(ItemNode n) { items[l] = n; ++l; } bool remove(ItemNode n) { import std.algorithm : SwapStrategy, remove; foreach (size_t i, ref node; items[0 .. l]) { static if (storeHash) { static if (isPointer!T) immutable bool matches = node.hash == n.hash && *node.value == *n.value; else immutable bool matches = node.hash == n.hash && node.value == n.value; } else { static if (isPointer!T) immutable bool matches = *node.value == *n.value; else immutable bool matches = node.value == n.value; } if (matches) { items[0 .. l].remove!(SwapStrategy.unstable)(i); l--; return true; } } return false; } BucketNode* next; LengthType l; ItemNode[ITEMS_PER_NODE] items; } bool insert(ItemNode n) { import core.memory : GC; import stdx.allocator : make; BucketNode* hasSpace = null; for (BucketNode* current = root; current !is null; current = current.next) { if (current.get(n) !is null) return false; if (current.l < current.items.length) hasSpace = current; } if (hasSpace !is null) hasSpace.insert(n); else { BucketNode* newNode = make!BucketNode(allocator); static if (useGC) GC.addRange(newNode, BucketNode.sizeof); newNode.insert(n); newNode.next = root; root = newNode; } return true; } bool remove(ItemNode n) { import core.memory : GC; import stdx.allocator : dispose; BucketNode* current = root; BucketNode* previous; while (current !is null) { immutable removed = current.remove(n); if (removed) { if (current.l == 0) { if (previous !is null) previous.next = current.next; else root = current.next; static if (useGC) GC.removeRange(current); allocator.dispose(current); } return true; } previous = current; current = current.next; } return false; } inout(T)* get(T value, Hash hash) inout { for (BucketNode* current = cast(BucketNode*) root; current !is null; current = current.next) { static if (storeHash) { auto v = current.get(ItemNode(hash, value)); } else { auto v = current.get(ItemNode(value)); } if (v !is null) return cast(typeof(return)) v; } return null; } BucketNode* root; mixin AllocatorState!Allocator; } static struct ItemNode { bool opEquals(ref const T v) const { static if (isPointer!T) return *v == *value; else return v == value; } bool opEquals(ref const ItemNode other) const { static if (storeHash) if (other.hash != hash) return false; static if (isPointer!T) return *other.value == *value; else return other.value == value; } static if (storeHash) Hash hash; ContainerStorageType!T value; static if (storeHash) { this(Z)(Hash nh, Z nv) { this.hash = nh; this.value = nv; } } else { this(Z)(Z nv) { this.value = nv; } } } mixin AllocatorState!Allocator; Bucket[] buckets; size_t _length; } /// version(emsi_containers_unittest) unittest { import std.algorithm : canFind; import std.array : array; import std.range : walkLength; import std.uuid : randomUUID; auto s = HashSet!string(16); assert(s.remove("DoesNotExist") == false); assert(!s.contains("nonsense")); assert(s.put("test")); assert(s.contains("test")); assert(!s.put("test")); assert(s.contains("test")); assert(s.length == 1); assert(!s.contains("nothere")); s.put("a"); s.put("b"); s.put("c"); s.put("d"); string[] strings = s[].array; assert(strings.canFind("a")); assert(strings.canFind("b")); assert(strings.canFind("c")); assert(strings.canFind("d")); assert(strings.canFind("test")); assert(*("a" in s) == "a"); assert(*("b" in s) == "b"); assert(*("c" in s) == "c"); assert(*("d" in s) == "d"); assert(*("test" in s) == "test"); assert(strings.length == 5); assert(s.remove("test")); assert(s.length == 4); s.clear(); assert(s.length == 0); assert(s.empty); s.put("abcde"); assert(s.length == 1); foreach (i; 0 .. 10_000) { s.put(randomUUID().toString); } assert(s.length == 10_001); // Make sure that there's no range violation slicing an empty set HashSet!int e; foreach (i; e[]) assert(i > 0); enum MAGICAL_NUMBER = 600_000; HashSet!int f; foreach (i; 0 .. MAGICAL_NUMBER) assert(f.insert(i)); assert(f.length == f[].walkLength); foreach (i; 0 .. MAGICAL_NUMBER) assert(i in f); foreach (i; 0 .. MAGICAL_NUMBER) assert(f.remove(i)); foreach (i; 0 .. MAGICAL_NUMBER) assert(!f.remove(i)); HashSet!int g; foreach (i; 0 .. MAGICAL_NUMBER) assert(g.insert(i)); static struct AStruct { int a; int b; } HashSet!(AStruct*, Mallocator, a => a.a) fred; fred.insert(new AStruct(10, 10)); auto h = new AStruct(10, 10); assert(h in fred); } version(emsi_containers_unittest) unittest { static class Foo { string name; } hash_t stringToHash(string str) @safe pure nothrow @nogc { hash_t hash = 5381; return hash; } hash_t FooToHash(Foo e) pure @safe nothrow @nogc { return stringToHash(e.name); } HashSet!(Foo, Mallocator, FooToHash) hs; auto f = new Foo; hs.insert(f); assert(f in hs); auto r = hs[]; } version(emsi_containers_unittest) unittest { static class Foo { string name; this(string n) { this.name = n; } bool opEquals(const Foo of) const { if(of !is null) { return this.name == of.name; } else { return false; } } } hash_t stringToHash(string str) @safe pure nothrow @nogc { hash_t hash = 5381; return hash; } hash_t FooToHash(in Foo e) pure @safe nothrow @nogc { return stringToHash(e.name); } string foo = "foo"; HashSet!(const(Foo), Mallocator, FooToHash) hs; const(Foo) f = new const Foo(foo); hs.insert(f); assert(f in hs); auto r = hs[]; assert(!r.empty); auto fro = r.front; assert(fro.name == foo); } version(emsi_containers_unittest) unittest { hash_t maxCollision(ulong x) { return 0; } HashSet!(ulong, Mallocator, maxCollision) set; auto ipn = set.ITEMS_PER_NODE; // Need this info to trigger this bug, so I made it public assert(ipn > 1); // Won't be able to trigger this bug if there's only 1 item per node foreach (i; 0 .. 2 * ipn - 1) set.insert(i); assert(0 in set); // OK bool ret = set.insert(0); // 0 should be already in the set assert(!ret); // Fails assert(set.length == 2 * ipn - 1); // Fails } version(emsi_containers_unittest) unittest { import stdx.allocator.showcase; auto allocator = mmapRegionList(1024); auto set = HashSet!(ulong, typeof(&allocator))(0x1000, &allocator); set.insert(124); }
D
module Tokens; enum TokenType{Literal, Operator, Paren}; enum Associativity{Left, Right}; auto Operators = ["^", "+", "-", "*", "/"]; auto OperatorPrecedence(){ return [ "^": 4, "*": 3, "/": 3, "+": 2, "-": 2 ]; } auto OperatorAssociativity(){ return [ "^": Associativity.Right, "*": Associativity.Left, "/": Associativity.Left, "+": Associativity.Left, "-": Associativity.Left ]; } struct Token { this(string token, TokenType type) { _token = token; _type = type; } string Token() {return _token;} TokenType Type() {return _type;} private: string _token; TokenType _type; }
D
/** * `UIElement` is the base class of all widgets. * * Copyright: Copyright Auburn Sounds 2015 and later. * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Authors: Guillaume Piolat */ module dplug.gui.element; import core.stdc.stdio; import std.algorithm.comparison; public import gfm.math.vector; public import gfm.math.box; public import dplug.graphics; public import dplug.window.window; public import dplug.core.sync; public import dplug.core.vec; public import dplug.core.nogc; public import dplug.graphics.font; public import dplug.graphics.drawex; public import dplug.gui.boxlist; public import dplug.gui.context; /// Reasonable default value for the Depth channel. enum ushort defaultDepth = 15000; /// Reasonable default value for the Roughness channel. enum ubyte defaultRoughness = 128; /// Reasonable default value for the Specular channel ("everything is shiny"). enum ubyte defaultSpecular = 128; /// Reasonable default value for the Physical channel (completely physical). deprecated enum ubyte defaultPhysical = 255; /// Reasonable dielectric default value for the Metalness channel. enum ubyte defaultMetalnessDielectric = 25; // ~ 0.08 /// Reasonable metal default value for the Metalness channel. enum ubyte defaultMetalnessMetal = 255; /// Each UIElement class has flags which are used to lessen the number of empty virtual calls. /// Such flags say which callbacks the `UIElement` need. alias UIFlags = uint; enum : UIFlags { /// This `UIElement` draws to the Raw layer and as such `onDrawRaw` should be called when dirtied. /// When calling `setDirty(UILayer.guessFromFlags)`, the Raw layer alone will be invalidated. flagRaw = 1, /// This `UIElement` draws to the PBR layer and as such `onDrawPBR` should be called when dirtied. /// Important: `setDirty(UILayer.guessFromFlags)` will lead to BOTH `onDrawPBR` and `onDrawRaw` /// to be called sucessively. flagPBR = 2, // This `UIElement` is animated and as such the `onAnimate` callback should be called regularly. flagAnimated = 4 } /// Used by `setDirty` calls to figure which layer should be invalidated. enum UILayer { /// Use the `UIElement` flags to figure which layers to invalidate. /// This is what you want most of the time. guessFromFlags, /// Only the Raw layer is invalidated. /// This is what you want if your `UIElement` draw to both Raw and PBR layer, but this /// time you only want to udpate a fast Raw overlay (eg: curve widgets, anything real-time). rawOnly } /// Base class of the UI widget hierarchy. /// /// MAYDO: a bunch of stuff in that class is intended specifically for the root element, /// there is probably a better design to find. class UIElement { public: nothrow: @nogc: this(UIContext context, uint flags) { _context = context; _flags = flags; _localRectsBuf = makeVec!box2i(); _children = makeVec!UIElement(); _zOrderedChildren = makeVec!UIElement(); } ~this() { foreach(child; _children[]) child.destroyFree(); } /// This method is called for each item in the drawlist that was visible and has a dirty Raw layer. /// This is called after compositing, starting from the buffer output by the Compositor. final void renderRaw(ImageRef!RGBA rawMap, in box2i[] areasToUpdate) { // We only consider the part of _position that is actually in the surface box2i validPosition = _position.intersection(box2i(0, 0, rawMap.w, rawMap.h)); // FUTURE IMPROVEMENT: allow _position outside bounds of a window. // // Currently, _position outside of the extent of the windows are NOT actually allowed. // Specifically the onDraw function seems to operate under the assumtion that they // receive maps whose points (0,0) is the lop-right of _position // // TL;DR If you fail this assertion, this means you have an UIElement outside the extent // of the window. Check UI creation code. assert(validPosition == _position); if (validPosition.empty()) return; // nothing to draw here _localRectsBuf.clearContents(); { foreach(rect; areasToUpdate) { box2i inter = rect.intersection(validPosition); if (!inter.empty) // don't consider empty rectangles { // Express the dirty rect in local coordinates for simplicity _localRectsBuf.pushBack( inter.translate(-validPosition.min) ); } } } if (_localRectsBuf.length == 0) return; // nothing to draw here // Crop the composited map to the valid part of _position // Drawing outside of _position is disallowed by design. ImageRef!RGBA rawMapCropped = rawMap.cropImageRef(validPosition); assert(rawMapCropped.w != 0 && rawMapCropped.h != 0); // Should never be an empty area there onDrawRaw(rawMapCropped, _localRectsBuf[]); } /// Returns: true if was drawn, ie. the buffers have changed. /// This method is called for each item in the drawlist that was visible and has a dirty PBR layer. final void renderPBR(ImageRef!RGBA diffuseMap, ImageRef!L16 depthMap, ImageRef!RGBA materialMap, in box2i[] areasToUpdate) { // we only consider the part of _position that is actually in the surface box2i validPosition = _position.intersection(box2i(0, 0, diffuseMap.w, diffuseMap.h)); // FUTURE IMPROVEMENT: allow _position outside bounds of a window. // // Currently, _position outside of the extent of the windows are NOT actually allowed. // Specifically the onDraw function seems to operate under the assumtion that they // receive maps whose points (0,0) is the lop-right of _position // // TL;DR If you fail this assertion, this means you have an UIElement outside the extent // of the window. Check UI creation code. assert(validPosition == _position); if (validPosition.empty()) return; // nothing to draw here _localRectsBuf.clearContents(); { foreach(rect; areasToUpdate) { box2i inter = rect.intersection(validPosition); if (!inter.empty) // don't consider empty rectangles { // Express the dirty rect in local coordinates for simplicity _localRectsBuf.pushBack( inter.translate(-validPosition.min) ); } } } if (_localRectsBuf.length == 0) return; // nothing to draw here // Crop the diffuse, material and depth to the valid part of _position // Drawing outside of _position is disallowed by design. ImageRef!RGBA diffuseMapCropped = diffuseMap.cropImageRef(validPosition); ImageRef!L16 depthMapCropped = depthMap.cropImageRef(validPosition); ImageRef!RGBA materialMapCropped = materialMap.cropImageRef(validPosition); // Should never be an empty area there assert(diffuseMapCropped.w != 0 && diffuseMapCropped.h != 0); onDrawPBR(diffuseMapCropped, depthMapCropped, materialMapCropped, _localRectsBuf[]); } /// TODO: useless until we have resizeable UIs. /// Meant to be overriden almost everytime for custom behaviour. /// Default behaviour is to span the whole area and reflow children. /// Any layout algorithm is up to you. /// Like in the DOM, children elements don't need to be inside _position of their parent. void reflow(box2i availableSpace) { // default: span the entire available area, and do the same for children _position = availableSpace; foreach(ref child; _children) child.reflow(availableSpace); } /// Returns: Position of the element, that will be used for rendering. This /// position is reset when calling reflow. final box2i position() { return _position; } /// Forces the position of the element. It is typically used in the parent /// reflow() method /// IMPORTANT: As of today you are not allowed to assign a position outside the extent of // the window. final box2i position(box2i p) { assert(p.isSorted()); return _position = p; } final UIElement child(int n) { return _children[n]; } // The addChild method is mandatory. // Such a child MUST be created through `dplug.core.nogc.mallocEmplace`. // MAYDO: Should we dirty this place in the case it's not plugin creation? final void addChild(UIElement element) { element._parent = this; _children.pushBack(element); } /// Removes a child (but does not destroy it, you take back the ownership of it). /// Useful for creating dynamic UI's. /// MAYDO: there are restrictions for where this is allowed. Find them. final void removeChild(UIElement element) { int index= _children.indexOf(element); if(index >= 0) { // Dirty where the UIElement has been removed element.setDirtyWhole(); _children.removeAndReplaceByLastElement(index); } } // This function is meant to be overriden. // Happens _before_ checking for children collisions. bool onMouseClick(int x, int y, int button, bool isDoubleClick, MouseState mstate) { return false; } // Mouse wheel was turned. // This function is meant to be overriden. // It should return true if the wheel is handled. bool onMouseWheel(int x, int y, int wheelDeltaX, int wheelDeltaY, MouseState mstate) { return false; } // Called when mouse move over this Element. // This function is meant to be overriden. void onMouseMove(int x, int y, int dx, int dy, MouseState mstate) { } // Called when clicked with left/middle/right button // This function is meant to be overriden. void onBeginDrag() { } // Called when mouse drag this Element. // This function is meant to be overriden. void onMouseDrag(int x, int y, int dx, int dy, MouseState mstate) { } // Called once drag is finished. // This function is meant to be overriden. void onStopDrag() { } // Called when mouse enter this Element. // This function is meant to be overriden. void onMouseEnter() { } // Called when mouse enter this Element. // This function is meant to be overriden. void onMouseExit() { } // Called when this Element is clicked and get the focus. // This function is meant to be overriden. void onFocusEnter() { } // Called when focus is lost because another Element was clicked. // This function is meant to be overriden. void onFocusExit() { } // Called when a key is pressed. This event bubbles down-up until being processed. // Return true if treating the message. bool onKeyDown(Key key) { return false; } // Called when a key is pressed. This event bubbles down-up until being processed. // Return true if treating the message. bool onKeyUp(Key key) { return false; } // Check if given pixel is within the widget. // FUTURE: This will be used to avoid making onMouseClick both the test and the event. final bool contains(vec2i pt) { return _position.contains(pt); } // to be called at top-level when the mouse clicked final bool mouseClick(int x, int y, int button, bool isDoubleClick, MouseState mstate) { recomputeZOrderedChildren(); // Test children that are displayed above this element first foreach(child; _zOrderedChildren[]) { if (child.zOrder >= zOrder) if (child.mouseClick(x, y, button, isDoubleClick, mstate)) return true; } // Test for collision with this element if (contains(vec2i(x, y))) { if(onMouseClick(x - _position.min.x, y - _position.min.y, button, isDoubleClick, mstate)) { _context.beginDragging(this); _context.setFocused(this); return true; } } // Test children that are displayed below this element last foreach(child; _zOrderedChildren[]) { if (child.zOrder < zOrder) if (child.mouseClick(x, y, button, isDoubleClick, mstate)) return true; } return false; } // to be called at top-level when the mouse is released final void mouseRelease(int x, int y, int button, MouseState mstate) { _context.stopDragging(); } // to be called at top-level when the mouse wheeled final bool mouseWheel(int x, int y, int wheelDeltaX, int wheelDeltaY, MouseState mstate) { recomputeZOrderedChildren(); // Test children that are displayed above this element first foreach(child; _zOrderedChildren[]) { if (child.zOrder >= zOrder) if (child.mouseWheel(x, y, wheelDeltaX, wheelDeltaY, mstate)) return true; } if (contains(vec2i(x, y))) { if (onMouseWheel(x - _position.min.x, y - _position.min.y, wheelDeltaX, wheelDeltaY, mstate)) return true; } // Test children that are displayed below this element last foreach(child; _zOrderedChildren[]) { if (child.zOrder < zOrder) if (child.mouseWheel(x, y, wheelDeltaX, wheelDeltaY, mstate)) return true; } return false; } // to be called when the mouse moved final void mouseMove(int x, int y, int dx, int dy, MouseState mstate) { if (isDragged) { // EDIT MODE // In debug mode, dragging with the right mouse button move elements around // and dragging with shift + right button resize elements around. // // Additionally, if CTRL is pressed, the increments are only -1 or +1 pixel. // // You can see the _position rectangle thanks to `debugLog`. bool draggingUsed = false; debug { if (mstate.rightButtonDown && mstate.shiftPressed) { if (mstate.ctrlPressed) { dx = clamp(dx, -1, +1); dy = clamp(dy, -1, +1); } int nx = _position.min.x; int ny = _position.min.y; int w = _position.width + dx; int h = _position.height + dy; if (w < 5) w = 5; if (h < 5) h = 5; setDirtyWhole(); _position = box2i(nx, ny, nx + w, ny + h); setDirtyWhole(); draggingUsed = true; } else if (mstate.rightButtonDown) { if (mstate.ctrlPressed) { dx = clamp(dx, -1, +1); dy = clamp(dy, -1, +1); } int nx = _position.min.x + dx; int ny = _position.min.y + dy; if (nx < 0) nx = 0; if (ny < 0) ny = 0; setDirtyWhole(); _position = box2i(nx, ny, nx + _position.width, ny + _position.height); setDirtyWhole(); draggingUsed = true; } // Output the latest position // This is helpful when developing a plug-in UI. if (draggingUsed) { char[128] buf; snprintf(buf.ptr, 128, "_position = box2i.rectangle(%d, %d, %d, %d)\n", _position.min.x, _position.min.y, _position.width, _position.height); debugLog(buf.ptr); } } if (!draggingUsed) onMouseDrag(x - _position.min.x, y - _position.min.y, dx, dy, mstate); } // Note: no z-order for mouse-move, it's called for everything. Is it right? What would the DOM do? foreach(child; _children[]) { child.mouseMove(x, y, dx, dy, mstate); } if (contains(vec2i(x, y))) // FUTURE: something more fine-grained? { if (!_mouseOver) onMouseEnter(); onMouseMove(x - _position.min.x, y - _position.min.y, dx, dy, mstate); _mouseOver = true; } else { if (_mouseOver) onMouseExit(); _mouseOver = false; } } // to be called at top-level when a key is pressed final bool keyDown(Key key) { if (onKeyDown(key)) return true; foreach(child; _children[]) { if (child.keyDown(key)) return true; } return false; } // to be called at top-level when a key is released final bool keyUp(Key key) { if (onKeyUp(key)) return true; foreach(child; _children[]) { if (child.keyUp(key)) return true; } return false; } // To be called at top-level periodically. void animate(double dt, double time) { if (isAnimated) onAnimate(dt, time); foreach(child; _children[]) child.animate(dt, time); } final UIContext context() { return _context; } final bool isVisible() pure const { return _visible; } final void setVisible(bool visible) pure { _visible = visible; } final int zOrder() pure const { return _zOrder; } final void setZOrder(int zOrder) pure { _zOrder = zOrder; } /// Mark this element as wholly dirty. /// /// Params: /// layer which layers need to be redrawn. /// /// Important: you _can_ call this from the audio thread, HOWEVER it is /// much more efficient to mark the widget dirty with an atomic /// and call `setDirty` in animation callback. void setDirtyWhole(UILayer layer = UILayer.guessFromFlags) { addDirtyRect(_position, layer); } /// Mark a part of the element dirty. /// This part must be a subrect of its _position. /// Params: /// rect = Position of the dirtied rectangle, in widget coordinates. /// Important: you could call this from the audio thread, however it is /// much more efficient to mark the widget dirty with an atomic /// and call setDirty in animation callback. void setDirty(box2i rect, UILayer layer = UILayer.guessFromFlags) { box2i translatedRect = rect.translate(_position.min); assert(_position.contains(translatedRect)); addDirtyRect(translatedRect, layer); } /// Returns: Parent element. `null` if detached or root element. final UIElement parent() pure nothrow @nogc { return _parent; } /// Returns: Top-level parent. `null` if detached or root element. final UIElement topLevelParent() pure nothrow @nogc { if (_parent is null) return this; else return _parent.topLevelParent(); } final bool isMouseOver() pure const { return _mouseOver; } final bool isDragged() pure const { return _context.dragged is this; } final bool isFocused() pure const { return _context.focused is this; } final bool drawsToPBR() pure const { return (_flags & flagPBR) != 0; } final bool drawsToRaw() pure const { return (_flags & flagRaw) != 0; } final bool isAnimated() pure const { return (_flags & flagAnimated) != 0; } /// Appends the Elements that should be drawn, in order. /// You should empty it before calling this function. /// Everything visible get into the draw list, but that doesn't mean they /// will get drawn if they don't overlap with a dirty area. final void getDrawLists(ref Vec!UIElement listRaw, ref Vec!UIElement listPBR) { if (isVisible()) { if (drawsToRaw()) listRaw.pushBack(this); if (drawsToPBR()) listPBR.pushBack(this); foreach(child; _children[]) child.getDrawLists(listRaw, listPBR); } } protected: /// Raw layer draw method. This gives you 1 surface cropped by _position for drawing. /// Note that you are not forced to draw all to the surfacs at all. /// /// `UIElement` are drawn by increasing z-order, or lexical order if lack thereof. /// Those elements who have non-overlapping `_position` are drawn in parallel. /// Hence you CAN'T draw outside `_position` and receive cropped surfaces. /// /// IMPORTANT: you MUST NOT draw outside `dirtyRects`. This allows more fine-grained updates. /// A `UIElement` that doesn't respect dirtyRects will have PAINFUL display problems. void onDrawRaw(ImageRef!RGBA rawMap, box2i[] dirtyRects) { // empty by default, meaning this UIElement does not draw on the Raw layer } /// PBR layer draw method. This gives you 3 surfaces cropped by _position for drawing. /// Note that you are not forced to draw all to the surfaces at all, in which case the /// below `UIElement` will be displayed. /// /// `UIElement` are drawn by increasing z-order, or lexical order if lack thereof. /// Those elements who have non-overlapping `_position` are drawn in parallel. /// Hence you CAN'T draw outside `_position` and receive cropped surfaces. /// `diffuseMap`, `depthMap` and `materialMap` are made to span _position exactly. /// /// IMPORTANT: you MUST NOT draw outside `dirtyRects`. This allows more fine-grained updates. /// A `UIElement` that doesn't respect dirtyRects will have PAINFUL display problems. void onDrawPBR(ImageRef!RGBA diffuseMap, ImageRef!L16 depthMap, ImageRef!RGBA materialMap, box2i[] dirtyRects) { // defaults to filling with a grey pattern RGBA darkGrey = RGBA(100, 100, 100, 0); RGBA lighterGrey = RGBA(150, 150, 150, 0); foreach(dirtyRect; dirtyRects) { for (int y = dirtyRect.min.y; y < dirtyRect.max.y; ++y) { L16[] depthScan = depthMap.scanline(y); RGBA[] diffuseScan = diffuseMap.scanline(y); RGBA[] materialScan = materialMap.scanline(y); for (int x = dirtyRect.min.x; x < dirtyRect.max.x; ++x) { diffuseScan.ptr[x] = ( (x >> 3) ^ (y >> 3) ) & 1 ? darkGrey : lighterGrey; depthScan.ptr[x] = L16(defaultDepth); materialScan.ptr[x] = RGBA(defaultRoughness, defaultMetalnessDielectric, defaultSpecular, 255); } } } } /// Called periodically for every `UIElement`. /// Override this to create animations. /// Using setDirty there allows to redraw an element continuously (like a meter or an animated object). /// Warning: Summing `dt` will not lead to a time that increase like `time`. /// `time` can go backwards if the window was reopen. /// `time` is guaranteed to increase as fast as system time but is not synced to audio time. void onAnimate(double dt, double time) { } /// Parent element. /// Following this chain gets to the root element. UIElement _parent = null; /// Position is the graphical extent of the element, or something larger. /// An `UIElement` is not allowed though to draw further than its _position. /// For efficiency it's best to keep `_position` as small as feasible. box2i _position; /// The list of children UI elements. Vec!UIElement _children; /// If _visible is false, neither the Element nor its children are drawn. bool _visible = true; /// Flags, for now immutable immutable(uint) _flags; /// Higher z-order = above other `UIElement`. /// By default, every `UIElement` have the same z-order. /// Because the sort is stable, tree traversal order is the default order (depth first). int _zOrder = 0; private: /// Reference to owning context. UIContext _context; /// Flag: whether this UIElement has mouse over it or not. bool _mouseOver = false; /// Dirty rectangles buffer, cropped to _position. Vec!box2i _localRectsBuf; /// Sorted children in Z-lexical-order (sorted by Z, or else increasing index in _children). Vec!UIElement _zOrderedChildren; // Sort children in ascending z-order // Input: unsorted _children // Output: sorted _zOrderedChildren final void recomputeZOrderedChildren() { // Get a z-ordered list of childrens _zOrderedChildren.clearContents(); foreach(child; _children[]) _zOrderedChildren.pushBack(child); // This is a stable sort, so the order of children with same z-order still counts. grailSort!UIElement(_zOrderedChildren[], (a, b) nothrow @nogc { if (a.zOrder < b.zOrder) return 1; else if (a.zOrder > b.zOrder) return -1; else return 0; }); } final void addDirtyRect(box2i rect, UILayer layer) { final switch(layer) { case UILayer.guessFromFlags: if (drawsToPBR()) { // Note: even if one UIElement draws to both Raw and PBR layers, we are not // adding this rectangle in `dirtyListRaw` since the Raw layer is automatically // updated when the PBR layer below is. _context.dirtyListPBR.addRect(rect); } else if (drawsToRaw()) { _context.dirtyListRaw.addRect(rect); } break; case UILayer.rawOnly: _context.dirtyListRaw.addRect(rect); break; } } }
D
/** * DER Encoder * * Copyright: * (C) 1999-2007 Jack Lloyd * (C) 2014-2015 Etienne Cimon * * License: * Botan is released under the Simplified BSD License (see LICENSE.md) */ module botan.asn1.der_enc; import botan.constants; import botan.asn1.asn1_obj; import botan.asn1.der_enc; import botan.math.bigint.bigint; import botan.utils.get_byte; import botan.utils.parsing; import botan.utils.bit_ops; import botan.utils.types; import std.algorithm; import memutils.utils; import botan.utils.types; /** * General DER Encoding Object */ struct DEREncoder { public: Vector!ubyte getContentsUnlocked() { //logTrace("DEREncoder.getContentsUnlocked"); return unlock(getContents()); } /* * Return the encoded m_contents */ SecureVector!ubyte getContents() { if (m_subsequences.length != 0) throw new InvalidState("DEREncoder: Sequence hasn't been marked done"); return m_contents.clone; } /* * Return the encoded m_contents */ SecureArray!ubyte getContentsRef() { if (m_subsequences.length != 0) throw new InvalidState("DEREncoder: Sequence hasn't been marked done"); return m_contents.cloneToRef; } /* * Start a new ASN.1 ASN1Tag.SEQUENCE/SET/EXPLICIT */ ref DEREncoder startCons(ASN1Tag m_type_tag, ASN1Tag m_class_tag = ASN1Tag.UNIVERSAL) return { m_subsequences.pushBack(DERSequence(m_type_tag, m_class_tag)); return this; } /* * Finish the current ASN.1 ASN1Tag.SEQUENCE/SET/EXPLICIT */ ref DEREncoder endCons() return { if (m_subsequences.empty) throw new InvalidState("endCons: No such sequence"); SecureVector!ubyte seq = m_subsequences[m_subsequences.length-1].getContents(); m_subsequences.removeBack(); rawBytes(seq); return this; } /* * Start a new ASN.1 EXPLICIT encoding */ ref DEREncoder startExplicit(ushort type_no) return { ASN1Tag m_type_tag = cast(ASN1Tag)(type_no); if (m_type_tag == ASN1Tag.SET) throw new InternalError("DEREncoder.startExplicit(SET); cannot perform"); return startCons(m_type_tag, ASN1Tag.CONTEXT_SPECIFIC); } /* * Finish the current ASN.1 EXPLICIT encoding */ ref DEREncoder endExplicit() return { return endCons(); } /* * Write raw bytes into the stream */ ref DEREncoder rawBytes(ALLOC)(auto const ref Vector!(ubyte, ALLOC) val) return { return rawBytes(val.ptr, val.length); } ref DEREncoder rawBytes(ALLOC)(auto const ref RefCounted!(Vector!(ubyte, ALLOC), ALLOC) val) return { return rawBytes(val.ptr, val.length); } /* * Write raw bytes into the stream */ ref DEREncoder rawBytes(const(ubyte)* bytes, size_t length) return { if (m_subsequences.length) m_subsequences[m_subsequences.length-1].addBytes(bytes, length); else m_contents ~= bytes[0 .. length]; //logTrace("Contents appended: ", m_contents.length); return this; } /* * Encode a NULL object */ ref DEREncoder encodeNull() return { return addObject(ASN1Tag.NULL_TAG, ASN1Tag.UNIVERSAL, null, 0); } /* * DER encode a BOOLEAN */ ref DEREncoder encode(bool is_true) return { return encode(is_true, ASN1Tag.BOOLEAN, ASN1Tag.UNIVERSAL); } /* * DER encode a small INTEGER */ ref DEREncoder encode(size_t n) return { return encode(BigInt(n), ASN1Tag.INTEGER, ASN1Tag.UNIVERSAL); } /* * DER encode a small INTEGER */ ref DEREncoder encode()(auto const ref BigInt n) return { return encode(n, ASN1Tag.INTEGER, ASN1Tag.UNIVERSAL); } /* * DER encode an OCTET STRING or BIT STRING */ ref DEREncoder encode(ALLOC)(auto const ref RefCounted!(Vector!(ubyte, ALLOC), ALLOC) bytes, ASN1Tag real_type) return { return encode(bytes.ptr, bytes.length, real_type, real_type, ASN1Tag.UNIVERSAL); } /* * DER encode an OCTET STRING or BIT STRING */ ref DEREncoder encode(ALLOC)(auto const ref Vector!(ubyte, ALLOC) bytes, ASN1Tag real_type) return { return encode(bytes.ptr, bytes.length, real_type, real_type, ASN1Tag.UNIVERSAL); } /* * Encode this object */ ref DEREncoder encode(const(ubyte)* bytes, size_t length, ASN1Tag real_type) return { return encode(bytes, length, real_type, real_type, ASN1Tag.UNIVERSAL); } /* * DER encode a BOOLEAN */ ref DEREncoder encode(bool is_true, ASN1Tag m_type_tag, ASN1Tag m_class_tag = ASN1Tag.CONTEXT_SPECIFIC) return { ubyte val = is_true ? 0xFF : 0x00; return addObject(m_type_tag, m_class_tag, &val, 1); } /* * DER encode a small INTEGER */ ref DEREncoder encode(size_t n, ASN1Tag m_type_tag, ASN1Tag m_class_tag = ASN1Tag.CONTEXT_SPECIFIC) return { return encode(BigInt(n), m_type_tag, m_class_tag); } /* * DER encode an INTEGER */ ref DEREncoder encode()(auto const ref BigInt n, ASN1Tag m_type_tag, ASN1Tag m_class_tag = ASN1Tag.CONTEXT_SPECIFIC) return { //logTrace("Encode BigInt: ", n.toString()); if (n == 0) return addObject(m_type_tag, m_class_tag, 0); bool extra_zero = (n.bits() % 8 == 0); SecureVector!ubyte m_contents = SecureVector!ubyte(extra_zero + n.bytes()); BigInt.encode(m_contents.ptr + extra_zero, n); if (n < 0) { foreach (size_t i; 0 .. m_contents.length) m_contents[i] = ~cast(int)m_contents[i]; for (size_t i = m_contents.length; i > 0; --i) if (++(m_contents[i-1])) break; } return addObject(m_type_tag, m_class_tag, m_contents); } /* * DER encode an OCTET STRING or BIT STRING */ ref DEREncoder encode(ALLOC)(auto const ref RefCounted!(Vector!(ubyte, ALLOC), ALLOC) bytes, ASN1Tag real_type, ASN1Tag m_type_tag, ASN1Tag m_class_tag = ASN1Tag.CONTEXT_SPECIFIC) return { return encode(bytes.ptr, bytes.length, real_type, m_type_tag, m_class_tag); } /* * DER encode an OCTET STRING or BIT STRING */ ref DEREncoder encode(ALLOC)(auto const ref Vector!(ubyte, ALLOC) bytes, ASN1Tag real_type, ASN1Tag m_type_tag, ASN1Tag m_class_tag = ASN1Tag.CONTEXT_SPECIFIC) return { return encode(bytes.ptr, bytes.length, real_type, m_type_tag, m_class_tag); } /* * DER encode an OCTET STRING or BIT STRING */ ref DEREncoder encode(const(ubyte)* bytes, size_t length, ASN1Tag real_type, ASN1Tag m_type_tag, ASN1Tag m_class_tag = ASN1Tag.CONTEXT_SPECIFIC) return { if (real_type != ASN1Tag.OCTET_STRING && real_type != ASN1Tag.BIT_STRING) throw new InvalidArgument("DEREncoder: Invalid tag for ubyte/bit string"); if (real_type == ASN1Tag.BIT_STRING) { SecureVector!ubyte encoded; encoded.pushBack(0); encoded ~= bytes[0 .. length]; return addObject(m_type_tag, m_class_tag, encoded); } else return addObject(m_type_tag, m_class_tag, bytes, length); } /* * Request for an object to encode itself */ ref DEREncoder encode(T)(auto const ref T obj) return { obj.encodeInto(this); return this; } /* * Conditionally write some values to the stream */ ref DEREncoder encodeIf (bool cond, ref DEREncoder codec) return { if (cond) return rawBytes(codec.getContents()); return this; } ref DEREncoder encodeIf(T)(bool cond, auto const ref T obj) return { if (cond) encode(obj); return this; } ref DEREncoder encodeOptional(T)(in T value, in T default_value = T.init) return { if (value != default_value) encode(value); return this; } ref DEREncoder encodeList(T, Alloc)(const ref Vector!(T, Alloc) values) return { foreach (const ref value; values[]) encode(value); return this; } /* * Write the encoding of the ubyte(s) */ ref DEREncoder addObject(ASN1Tag m_type_tag, ASN1Tag m_class_tag, in string rep_str) return { const(ubyte)* rep = cast(const(ubyte)*)(rep_str.ptr); const size_t rep_len = rep_str.length; return addObject(m_type_tag, m_class_tag, rep, rep_len); } /* * Write the encoding of the ubyte(s) */ ref DEREncoder addObject(ASN1Tag m_type_tag, ASN1Tag m_class_tag, const(ubyte)* rep, size_t length) return { //logTrace("AddObject: ", m_type_tag); SecureVector!ubyte buffer; auto enc_tag = encodeTag(m_type_tag, m_class_tag); auto enc_len = encodeLength(length); buffer ~= enc_tag[]; buffer ~= enc_len[]; buffer ~= rep[0 .. length]; //logTrace("Finish Add object"); return rawBytes(buffer); } /* * Write the encoding of the ubyte */ ref DEREncoder addObject(ASN1Tag m_type_tag, ASN1Tag m_class_tag, ubyte rep) return { return addObject(m_type_tag, m_class_tag, &rep, 1); } ref DEREncoder addObject(ALLOC)(ASN1Tag m_type_tag, ASN1Tag m_class_tag, auto const ref RefCounted!(Vector!(ubyte, ALLOC), ALLOC) rep) return { return addObject(m_type_tag, m_class_tag, rep.ptr, rep.length); } ref DEREncoder addObject(ALLOC)(ASN1Tag m_type_tag, ASN1Tag m_class_tag, auto const ref Vector!(ubyte, ALLOC) rep) return { return addObject(m_type_tag, m_class_tag, rep.ptr, rep.length); } private: alias DERSequence = RefCounted!DERSequenceImpl; class DERSequenceImpl { public: /* * Return the type and class taggings */ const(ASN1Tag) tagOf() const { return m_type_tag | m_class_tag; } /* * Return the encoded ASN1Tag.SEQUENCE/SET */ SecureVector!ubyte getContents() { //logTrace("Get Contents real class tag: ", m_class_tag); const ASN1Tag real_class_tag = m_class_tag | ASN1Tag.CONSTRUCTED; if (m_type_tag == ASN1Tag.SET) { // TODO: check if sort works auto set_contents = m_set_contents[]; //logTrace("set contents before: ", set_contents[]); sort!("a < b", SwapStrategy.stable)(set_contents); //logTrace("set contents after: ", set_contents[]); foreach (SecureArray!ubyte data; set_contents) m_contents ~= data[]; m_set_contents.clear(); } SecureVector!ubyte result; auto enc_tag = encodeTag(m_type_tag, real_class_tag); auto enc_len = encodeLength(m_contents.length); result ~= enc_tag[]; result ~= enc_len[]; result ~= m_contents[]; m_contents.clear(); return result.move(); } /* * Add an encoded value to the ASN1Tag.SEQUENCE/SET */ void addBytes(const(ubyte)* data, size_t length) { if (m_type_tag == ASN1Tag.SET) m_set_contents.pushBack(SecureArray!ubyte(data[0 .. length])); else m_contents ~= data[0 .. length]; } /* * DERSequence Constructor */ this(ASN1Tag t1, ASN1Tag t2) { m_type_tag = t1; m_class_tag = t2; } private: ASN1Tag m_type_tag; ASN1Tag m_class_tag; SecureVector!ubyte m_contents; Vector!( SecureArray!ubyte ) m_set_contents; } SecureArray!ubyte m_contents; Array!DERSequence m_subsequences; } /* * DER encode an ASN.1 type tag */ SecureArray!ubyte encodeTag(ASN1Tag m_type_tag, ASN1Tag m_class_tag) { //logTrace("Encode type: ", m_type_tag); //logTrace("Encode class: ", m_class_tag); //assert(m_type_tag != 33 || m_class_tag != cast(ASN1Tag)96); if ((m_class_tag | 0xE0) != 0xE0) throw new EncodingError("DEREncoder: Invalid class tag " ~ to!string(m_class_tag)); SecureArray!ubyte encoded_tag; if (m_type_tag <= 30) encoded_tag.pushBack(cast(ubyte) (m_type_tag | m_class_tag)); else { size_t blocks = highBit(m_type_tag) + 6; blocks = (blocks - (blocks % 7)) / 7; auto blocks_tag = cast(ubyte) (m_class_tag | 0x1F); encoded_tag.pushBack(blocks_tag); foreach (size_t i; 0 .. (blocks - 1)) { auto blocks_i_tag = cast(ubyte) (0x80 | ((m_type_tag >> 7*(blocks-i-1)) & 0x7F)); encoded_tag.pushBack(blocks_i_tag); } auto blocks_end_tag = cast(ubyte) (m_type_tag & 0x7F); encoded_tag.pushBack(blocks_end_tag); } //logTrace("Encoded tag: ", cast(ubyte[]) encoded_tag[]); return encoded_tag; } /* * DER encode an ASN.1 length field */ SecureArray!ubyte encodeLength(size_t length) { //logTrace("Encode length: ", length); SecureArray!ubyte encoded_length; if (length <= 127) encoded_length.pushBack(cast(ubyte)(length)); else { const size_t top_byte = significantBytes(length); encoded_length.pushBack(cast(ubyte)(0x80 | top_byte)); for (size_t i = (length).sizeof - top_byte; i != (length).sizeof; ++i) encoded_length.pushBack(get_byte(i, length)); } return encoded_length; }
D
// **************************************************** // B_GetPetzCrime // -------------- // Liefert Petzcrime in Abhängigkeit von Home-Location // wenn NSC keine Home-Location angehört --> CRIME_NONE // **************************************************** func int B_GetGreatestPetzCrime (var C_NPC slf) { // ------ OldCamp ------ if (C_NpcBelongsToOldCamp(slf)) { if (PETZCOUNTER_OldCamp_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_OldCamp_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_OldCamp_Attack > 0) { return CRIME_ATTACK; }; if (PETZCOUNTER_OldCamp_Sheepkiller > 0) { return CRIME_SHEEPKILLER; }; }; if (C_NpcBelongsToPsiCamp(slf)) { if (PETZCOUNTER_PsiCamp_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_PsiCamp_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_PsiCamp_Attack > 0) { return CRIME_ATTACK; }; if (PETZCOUNTER_PsiCamp_Sheepkiller > 0) { return CRIME_SHEEPKILLER; }; }; if (C_NpcBelongsToPatherion(slf)) { if (PETZCOUNTER_Patherion_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_Patherion_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_Patherion_Attack > 0) { return CRIME_ATTACK; }; if (PETZCOUNTER_Patherion_Sheepkiller > 0) { return CRIME_SHEEPKILLER; }; }; if (C_NpcBelongsToBandit(slf)) { if (PETZCOUNTER_Bandit_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_Bandit_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_Bandit_Attack > 0) { return CRIME_ATTACK; }; if (PETZCOUNTER_Bandit_Sheepkiller > 0) { return CRIME_SHEEPKILLER; }; }; if (C_NpcBelongsToWMCamp(slf)) { if (PETZCOUNTER_WMCamp_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_WMCamp_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_WMCamp_Attack > 0) { return CRIME_ATTACK; }; if (PETZCOUNTER_WMCamp_Sheepkiller > 0) { return CRIME_SHEEPKILLER; }; }; if (C_NpcBelongsToSCamp(slf)) { if (PETZCOUNTER_SCamp_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_SCamp_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_SCamp_Attack > 0) { return CRIME_ATTACK; }; if (PETZCOUNTER_SCamp_Sheepkiller > 0) { return CRIME_SHEEPKILLER; }; }; // ------ City ------ if (C_NpcBelongsToCity(slf)) { if (PETZCOUNTER_City_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_City_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_City_Attack > 0) { return CRIME_ATTACK; }; if (PETZCOUNTER_City_Sheepkiller > 0) { return CRIME_SHEEPKILLER; }; }; // ------ Monastery ------ if (C_NpcBelongsToMonastery(slf)) { if (PETZCOUNTER_Monastery_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_Monastery_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_Monastery_Attack > 0) { return CRIME_ATTACK; }; if (PETZCOUNTER_Monastery_Sheepkiller > 0) { return CRIME_SHEEPKILLER; }; }; // ------ Farm ------ if (C_NpcBelongsToFarm(slf)) { if (PETZCOUNTER_Farm_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_Farm_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_Farm_Attack > 0) { return CRIME_ATTACK; }; if (PETZCOUNTER_Farm_Sheepkiller > 0) { return CRIME_SHEEPKILLER; }; }; // ------ Khorata ------ if (C_NpcBelongsToKhorata(slf)) { if (PETZCOUNTER_Khorata_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_Khorata_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_Khorata_Attack > 0) { return CRIME_ATTACK; }; if (PETZCOUNTER_Khorata_Sheepkiller > 0) { return CRIME_SHEEPKILLER; }; }; // ------ Banditenlager Addon ------ if (C_NpcBelongsToBL(slf)) { if (PETZCOUNTER_BL_Murder > 0) { return CRIME_MURDER; }; if (PETZCOUNTER_BL_Theft > 0) { return CRIME_THEFT; }; if (PETZCOUNTER_BL_Attack > 0) { return CRIME_ATTACK; }; }; return CRIME_NONE; };
D
module derelict.angelscript; public import derelict.angelscript.asc; public import derelict.angelscript.ascpp; public import derelict.angelscript.types; public class DerelictAngelscriptLoader { public void load() { DerelictAngelscriptC.load(); DerelictAngelscriptCPP.load(); } public void load(string path, string pathcpp) { DerelictAngelscriptC.load(path); DerelictAngelscriptCPP.load(pathcpp); } } __gshared DerelictAngelscriptLoader DerelictAngelscript; shared static this() { DerelictAngelscript = new DerelictAngelscriptLoader(); }
D
/root/Klug-Dossier/target/release/deps/libp2p_mdns-7aaaab1b4477988b.rmeta: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/lib.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/behaviour.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/dns.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/service.rs /root/Klug-Dossier/target/release/deps/liblibp2p_mdns-7aaaab1b4477988b.rlib: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/lib.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/behaviour.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/dns.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/service.rs /root/Klug-Dossier/target/release/deps/libp2p_mdns-7aaaab1b4477988b.d: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/lib.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/behaviour.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/dns.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/service.rs /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/lib.rs: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/behaviour.rs: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/dns.rs: /root/.cargo/registry/src/github.com-1ecc6299db9ec823/libp2p-mdns-0.28.0/src/service.rs:
D
/** * This module describes the _digest APIs used in Phobos. All digests follow * these APIs. Additionally, this module contains useful helper methods which * can be used with every _digest type. * $(SCRIPT inhibitQuickIndex = 1;) $(DIVC quickindex, $(BOOKTABLE , $(TR $(TH Category) $(TH Functions) ) $(TR $(TDNW Template API) $(TD $(MYREF isDigest) $(MYREF DigestType) $(MYREF hasPeek) $(MYREF hasBlockSize) $(MYREF ExampleDigest) $(MYREF _digest) $(MYREF hexDigest) $(MYREF makeDigest) ) ) $(TR $(TDNW OOP API) $(TD $(MYREF Digest) ) ) $(TR $(TDNW Helper functions) $(TD $(MYREF toHexString)) ) $(TR $(TDNW Implementation helpers) $(TD $(MYREF digestLength) $(MYREF WrapperDigest)) ) ) ) * APIs: * There are two APIs for digests: The template API and the OOP API. The template API uses structs * and template helpers like $(LREF isDigest). The OOP API implements digests as classes inheriting * the $(LREF Digest) interface. All digests are named so that the template API struct is called "$(B x)" * and the OOP API class is called "$(B x)Digest". For example we have $(D MD5) <--> $(D MD5Digest), * $(D CRC32) <--> $(D CRC32Digest), etc. * * The template API is slightly more efficient. It does not have to allocate memory dynamically, * all memory is allocated on the stack. The OOP API has to allocate in the finish method if no * buffer was provided. If you provide a buffer to the OOP APIs finish function, it doesn't allocate, * but the $(LREF Digest) classes still have to be created using $(D new) which allocates them using the GC. * * The OOP API is useful to change the _digest function and/or _digest backend at 'runtime'. The benefit here * is that switching e.g. Phobos MD5Digest and an OpenSSLMD5Digest implementation is ABI compatible. * * If just one specific _digest type and backend is needed, the template API is usually a good fit. * In this simplest case, the template API can even be used without templates: Just use the "$(B x)" structs * directly. * * License: $(HTTP www.boost.org/LICENSE_1_0.txt, Boost License 1.0). * Authors: * Johannes Pfau * * Source: $(PHOBOSSRC std/_digest/_digest.d) * * CTFE: * Digests do not work in CTFE * * TODO: * Digesting single bits (as opposed to bytes) is not implemented. This will be done as another * template constraint helper (hasBitDigesting!T) and an additional interface (BitDigest) */ /* Copyright Johannes Pfau 2012. * Distributed under the Boost Software License, Version 1.0. * (See accompanying file LICENSE_1_0.txt or copy at * http://www.boost.org/LICENSE_1_0.txt) */ module std.digest.digest; public import std.ascii : LetterCase; import std.meta : allSatisfy; import std.range.primitives; import std.traits; /// @system unittest { import std.digest.crc; //Simple example char[8] hexHash = hexDigest!CRC32("The quick brown fox jumps over the lazy dog"); assert(hexHash == "39A34F41"); //Simple example, using the API manually CRC32 context = makeDigest!CRC32(); context.put(cast(ubyte[])"The quick brown fox jumps over the lazy dog"); ubyte[4] hash = context.finish(); assert(toHexString(hash) == "39A34F41"); } /// @system unittest { //Generating the hashes of a file, idiomatic D way import std.digest.crc, std.digest.md, std.digest.sha; import std.stdio; // Digests a file and prints the result. void digestFile(Hash)(string filename) if (isDigest!Hash) { auto file = File(filename); auto result = digest!Hash(file.byChunk(4096 * 1024)); writefln("%s (%s) = %s", Hash.stringof, filename, toHexString(result)); } void main(string[] args) { foreach (name; args[1 .. $]) { digestFile!MD5(name); digestFile!SHA1(name); digestFile!CRC32(name); } } } /// @system unittest { //Generating the hashes of a file using the template API import std.digest.crc, std.digest.md, std.digest.sha; import std.stdio; // Digests a file and prints the result. void digestFile(Hash)(ref Hash hash, string filename) if (isDigest!Hash) { File file = File(filename); //As digests imlement OutputRange, we could use std.algorithm.copy //Let's do it manually for now foreach (buffer; file.byChunk(4096 * 1024)) hash.put(buffer); auto result = hash.finish(); writefln("%s (%s) = %s", Hash.stringof, filename, toHexString(result)); } void uMain(string[] args) { MD5 md5; SHA1 sha1; CRC32 crc32; md5.start(); sha1.start(); crc32.start(); foreach (arg; args[1 .. $]) { digestFile(md5, arg); digestFile(sha1, arg); digestFile(crc32, arg); } } } /// @system unittest { import std.digest.crc, std.digest.md, std.digest.sha; import std.stdio; // Digests a file and prints the result. void digestFile(Digest hash, string filename) { File file = File(filename); //As digests implement OutputRange, we could use std.algorithm.copy //Let's do it manually for now foreach (buffer; file.byChunk(4096 * 1024)) hash.put(buffer); ubyte[] result = hash.finish(); writefln("%s (%s) = %s", typeid(hash).toString(), filename, toHexString(result)); } void umain(string[] args) { auto md5 = new MD5Digest(); auto sha1 = new SHA1Digest(); auto crc32 = new CRC32Digest(); foreach (arg; args[1 .. $]) { digestFile(md5, arg); digestFile(sha1, arg); digestFile(crc32, arg); } } } version(StdDdoc) version = ExampleDigest; version(ExampleDigest) { /** * This documents the general structure of a Digest in the template API. * All digest implementations should implement the following members and therefore pass * the $(LREF isDigest) test. * * Note: * $(UL * $(LI A digest must be a struct (value type) to pass the $(LREF isDigest) test.) * $(LI A digest passing the $(LREF isDigest) test is always an $(D OutputRange)) * ) */ struct ExampleDigest { public: /** * Use this to feed the digest with data. * Also implements the $(REF isOutputRange, std,range,primitives) * interface for $(D ubyte) and $(D const(ubyte)[]). * The following usages of $(D put) must work for any type which * passes $(LREF isDigest): * Example: * ---- * ExampleDigest dig; * dig.put(cast(ubyte) 0); //single ubyte * dig.put(cast(ubyte) 0, cast(ubyte) 0); //variadic * ubyte[10] buf; * dig.put(buf); //buffer * ---- */ @trusted void put(scope const(ubyte)[] data...) { } /** * This function is used to (re)initialize the digest. * It must be called before using the digest and it also works as a 'reset' function * if the digest has already processed data. */ @trusted void start() { } /** * The finish function returns the final hash sum and resets the Digest. * * Note: * The actual type returned by finish depends on the digest implementation. * $(D ubyte[16]) is just used as an example. It is guaranteed that the type is a * static array of ubytes. * * $(UL * $(LI Use $(LREF DigestType) to obtain the actual return type.) * $(LI Use $(LREF digestLength) to obtain the length of the ubyte array.) * ) */ @trusted ubyte[16] finish() { return (ubyte[16]).init; } } } /// @system unittest { //Using the OutputRange feature import std.algorithm.mutation : copy; import std.digest.md; import std.range : repeat; auto oneMillionRange = repeat!ubyte(cast(ubyte)'a', 1000000); auto ctx = makeDigest!MD5(); copy(oneMillionRange, &ctx); //Note: You must pass a pointer to copy! assert(ctx.finish().toHexString() == "7707D6AE4E027C70EEA2A935C2296F21"); } /** * Use this to check if a type is a digest. See $(LREF ExampleDigest) to see what * a type must provide to pass this check. * * Note: * This is very useful as a template constraint (see examples) * * BUGS: * $(UL * $(LI Does not yet verify that put takes scope parameters.) * $(LI Should check that finish() returns a ubyte[num] array) * ) */ template isDigest(T) { import std.range : isOutputRange; enum bool isDigest = isOutputRange!(T, const(ubyte)[]) && isOutputRange!(T, ubyte) && is(T == struct) && is(typeof( { T dig = void; //Can define dig.put(cast(ubyte) 0, cast(ubyte) 0); //varags dig.start(); //has start auto value = dig.finish(); //has finish })); } /// @system unittest { import std.digest.crc; static assert(isDigest!CRC32); } /// @system unittest { import std.digest.crc; void myFunction(T)() if (isDigest!T) { T dig; dig.start(); auto result = dig.finish(); } myFunction!CRC32(); } /** * Use this template to get the type which is returned by a digest's $(LREF finish) method. */ template DigestType(T) { static if (isDigest!T) { alias DigestType = ReturnType!(typeof( { T dig = void; return dig.finish(); })); } else static assert(false, T.stringof ~ " is not a digest! (fails isDigest!T)"); } /// @system unittest { import std.digest.crc; assert(is(DigestType!(CRC32) == ubyte[4])); } /// @system unittest { import std.digest.crc; CRC32 dig; dig.start(); DigestType!CRC32 result = dig.finish(); } /** * Used to check if a digest supports the $(D peek) method. * Peek has exactly the same function signatures as finish, but it doesn't reset * the digest's internal state. * * Note: * $(UL * $(LI This is very useful as a template constraint (see examples)) * $(LI This also checks if T passes $(LREF isDigest)) * ) */ template hasPeek(T) { enum bool hasPeek = isDigest!T && is(typeof( { T dig = void; //Can define DigestType!T val = dig.peek(); })); } /// @system unittest { import std.digest.crc, std.digest.md; assert(!hasPeek!(MD5)); assert(hasPeek!CRC32); } /// @system unittest { import std.digest.crc; void myFunction(T)() if (hasPeek!T) { T dig; dig.start(); auto result = dig.peek(); } myFunction!CRC32(); } /** * Checks whether the digest has a $(D blockSize) member, which contains the * digest's internal block size in bits. It is primarily used by $(REF HMAC, std,digest.hmac). */ template hasBlockSize(T) if (isDigest!T) { enum bool hasBlockSize = __traits(compiles, { size_t blockSize = T.blockSize; }); } /// @system unittest { import std.digest.hmac, std.digest.md; static assert(hasBlockSize!MD5 && MD5.blockSize == 512); static assert(hasBlockSize!(HMAC!MD5) && HMAC!MD5.blockSize == 512); } package template isDigestibleRange(Range) { import std.digest.md; import std.range : isInputRange, ElementType; enum bool isDigestibleRange = isInputRange!Range && is(typeof( { MD5 ha; //Could use any conformant hash ElementType!Range val; ha.put(val); })); } /** * This is a convenience function to calculate a hash using the template API. * Every digest passing the $(LREF isDigest) test can be used with this function. * * Params: * range= an $(D InputRange) with $(D ElementType) $(D ubyte), $(D ubyte[]) or $(D ubyte[num]) */ DigestType!Hash digest(Hash, Range)(auto ref Range range) if (!isArray!Range && isDigestibleRange!Range) { import std.algorithm.mutation : copy; Hash hash; hash.start(); copy(range, &hash); return hash.finish(); } /// @system unittest { import std.digest.md; import std.range : repeat; auto testRange = repeat!ubyte(cast(ubyte)'a', 100); auto md5 = digest!MD5(testRange); } /** * This overload of the digest function handles arrays. * * Params: * data= one or more arrays of any type */ DigestType!Hash digest(Hash, T...)(scope const T data) if (allSatisfy!(isArray, typeof(data))) { Hash hash; hash.start(); foreach (datum; data) hash.put(cast(const(ubyte[]))datum); return hash.finish(); } /// @system unittest { import std.digest.crc, std.digest.md, std.digest.sha; auto md5 = digest!MD5( "The quick brown fox jumps over the lazy dog"); auto sha1 = digest!SHA1( "The quick brown fox jumps over the lazy dog"); auto crc32 = digest!CRC32("The quick brown fox jumps over the lazy dog"); assert(toHexString(crc32) == "39A34F41"); } /// @system unittest { import std.digest.crc; auto crc32 = digest!CRC32("The quick ", "brown ", "fox jumps over the lazy dog"); assert(toHexString(crc32) == "39A34F41"); } /** * This is a convenience function similar to $(LREF digest), but it returns the string * representation of the hash. Every digest passing the $(LREF isDigest) test can be used with this * function. * * Params: * order= the order in which the bytes are processed (see $(LREF toHexString)) * range= an $(D InputRange) with $(D ElementType) $(D ubyte), $(D ubyte[]) or $(D ubyte[num]) */ char[digestLength!(Hash)*2] hexDigest(Hash, Order order = Order.increasing, Range)(ref Range range) if (!isArray!Range && isDigestibleRange!Range) { return toHexString!order(digest!Hash(range)); } /// @system unittest { import std.digest.md; import std.range : repeat; auto testRange = repeat!ubyte(cast(ubyte)'a', 100); assert(hexDigest!MD5(testRange) == "36A92CC94A9E0FA21F625F8BFB007ADF"); } /** * This overload of the hexDigest function handles arrays. * * Params: * order= the order in which the bytes are processed (see $(LREF toHexString)) * data= one or more arrays of any type */ char[digestLength!(Hash)*2] hexDigest(Hash, Order order = Order.increasing, T...)(scope const T data) if (allSatisfy!(isArray, typeof(data))) { return toHexString!order(digest!Hash(data)); } /// @system unittest { import std.digest.crc; assert(hexDigest!(CRC32, Order.decreasing)("The quick brown fox jumps over the lazy dog") == "414FA339"); } /// @system unittest { import std.digest.crc; assert(hexDigest!(CRC32, Order.decreasing)("The quick ", "brown ", "fox jumps over the lazy dog") == "414FA339"); } /** * This is a convenience function which returns an initialized digest, so it's not necessary to call * start manually. */ Hash makeDigest(Hash)() { Hash hash; hash.start(); return hash; } /// @system unittest { import std.digest.md; auto md5 = makeDigest!MD5(); md5.put(0); assert(toHexString(md5.finish()) == "93B885ADFE0DA089CDF634904FD59F71"); } /*+*************************** End of template part, welcome to OOP land **************************/ /** * This describes the OOP API. To understand when to use the template API and when to use the OOP API, * see the module documentation at the top of this page. * * The Digest interface is the base interface which is implemented by all digests. * * Note: * A Digest implementation is always an $(D OutputRange) */ interface Digest { public: /** * Use this to feed the digest with data. * Also implements the $(REF isOutputRange, std,range,primitives) * interface for $(D ubyte) and $(D const(ubyte)[]). * * Example: * ---- * void test(Digest dig) * { * dig.put(cast(ubyte) 0); //single ubyte * dig.put(cast(ubyte) 0, cast(ubyte) 0); //variadic * ubyte[10] buf; * dig.put(buf); //buffer * } * ---- */ @trusted nothrow void put(scope const(ubyte)[] data...); /** * Resets the internal state of the digest. * Note: * $(LREF finish) calls this internally, so it's not necessary to call * $(D reset) manually after a call to $(LREF finish). */ @trusted nothrow void reset(); /** * This is the length in bytes of the hash value which is returned by $(LREF finish). * It's also the required size of a buffer passed to $(LREF finish). */ @trusted nothrow @property size_t length() const; /** * The finish function returns the hash value. It takes an optional buffer to copy the data * into. If a buffer is passed, it must be at least $(LREF length) bytes big. */ @trusted nothrow ubyte[] finish(); ///ditto nothrow ubyte[] finish(ubyte[] buf); //@@@BUG@@@ http://d.puremagic.com/issues/show_bug.cgi?id=6549 /*in { assert(buf.length >= this.length); }*/ /** * This is a convenience function to calculate the hash of a value using the OOP API. */ final @trusted nothrow ubyte[] digest(scope const(void[])[] data...) { this.reset(); foreach (datum; data) this.put(cast(ubyte[]) datum); return this.finish(); } } /// @system unittest { //Using the OutputRange feature import std.algorithm.mutation : copy; import std.digest.md; import std.range : repeat; auto oneMillionRange = repeat!ubyte(cast(ubyte)'a', 1000000); auto ctx = new MD5Digest(); copy(oneMillionRange, ctx); assert(ctx.finish().toHexString() == "7707D6AE4E027C70EEA2A935C2296F21"); } /// @system unittest { import std.digest.crc, std.digest.md, std.digest.sha; ubyte[] md5 = (new MD5Digest()).digest("The quick brown fox jumps over the lazy dog"); ubyte[] sha1 = (new SHA1Digest()).digest("The quick brown fox jumps over the lazy dog"); ubyte[] crc32 = (new CRC32Digest()).digest("The quick brown fox jumps over the lazy dog"); assert(crcHexString(crc32) == "414FA339"); } /// @system unittest { import std.digest.crc; ubyte[] crc32 = (new CRC32Digest()).digest("The quick ", "brown ", "fox jumps over the lazy dog"); assert(crcHexString(crc32) == "414FA339"); } @system unittest { import std.range : isOutputRange; assert(!isDigest!(Digest)); assert(isOutputRange!(Digest, ubyte)); } /// @system unittest { void test(Digest dig) { dig.put(cast(ubyte) 0); //single ubyte dig.put(cast(ubyte) 0, cast(ubyte) 0); //variadic ubyte[10] buf; dig.put(buf); //buffer } } /*+*************************** End of OOP part, helper functions follow ***************************/ /** * See $(LREF toHexString) */ enum Order : bool { increasing, /// decreasing /// } /** * Used to convert a hash value (a static or dynamic array of ubytes) to a string. * Can be used with the OOP and with the template API. * * The additional order parameter can be used to specify the order of the input data. * By default the data is processed in increasing order, starting at index 0. To process it in the * opposite order, pass Order.decreasing as a parameter. * * The additional letterCase parameter can be used to specify the case of the output data. * By default the output is in upper case. To change it to the lower case * pass LetterCase.lower as a parameter. * * Note: * The function overloads returning a string allocate their return values * using the GC. The versions returning static arrays use pass-by-value for * the return value, effectively avoiding dynamic allocation. */ char[num*2] toHexString(Order order = Order.increasing, size_t num, LetterCase letterCase = LetterCase.upper) (in ubyte[num] digest) { static if (letterCase == LetterCase.upper) { import std.ascii : hexDigits = hexDigits; } else { import std.ascii : hexDigits = lowerHexDigits; } char[num*2] result; size_t i; static if (order == Order.increasing) { foreach (u; digest) { result[i++] = hexDigits[u >> 4]; result[i++] = hexDigits[u & 15]; } } else { size_t j = num - 1; while (i < num*2) { result[i++] = hexDigits[digest[j] >> 4]; result[i++] = hexDigits[digest[j] & 15]; j--; } } return result; } ///ditto char[num*2] toHexString(LetterCase letterCase, Order order = Order.increasing, size_t num)(in ubyte[num] digest) { return toHexString!(order, num, letterCase)(digest); } ///ditto string toHexString(Order order = Order.increasing, LetterCase letterCase = LetterCase.upper) (in ubyte[] digest) { static if (letterCase == LetterCase.upper) { import std.ascii : hexDigits = hexDigits; } else { import std.ascii : hexDigits = lowerHexDigits; } auto result = new char[digest.length*2]; size_t i; static if (order == Order.increasing) { foreach (u; digest) { result[i++] = hexDigits[u >> 4]; result[i++] = hexDigits[u & 15]; } } else { import std.range : retro; foreach (u; retro(digest)) { result[i++] = hexDigits[u >> 4]; result[i++] = hexDigits[u & 15]; } } import std.exception : assumeUnique; // memory was just created, so casting to immutable is safe return () @trusted { return assumeUnique(result); }(); } ///ditto string toHexString(LetterCase letterCase, Order order = Order.increasing)(in ubyte[] digest) { return toHexString!(order, letterCase)(digest); } //For more example unittests, see Digest.digest, digest /// @safe unittest { import std.digest.crc; //Test with template API: auto crc32 = digest!CRC32("The quick ", "brown ", "fox jumps over the lazy dog"); //Lower case variant: assert(toHexString!(LetterCase.lower)(crc32) == "39a34f41"); //Usually CRCs are printed in this order, though: assert(toHexString!(Order.decreasing)(crc32) == "414FA339"); assert(toHexString!(LetterCase.lower, Order.decreasing)(crc32) == "414fa339"); } /// @safe unittest { import std.digest.crc; // With OOP API auto crc32 = (new CRC32Digest()).digest("The quick ", "brown ", "fox jumps over the lazy dog"); //Usually CRCs are printed in this order, though: assert(toHexString!(Order.decreasing)(crc32) == "414FA339"); } @safe unittest { ubyte[16] data; assert(toHexString(data) == "00000000000000000000000000000000"); assert(toHexString(cast(ubyte[4])[42, 43, 44, 45]) == "2A2B2C2D"); assert(toHexString(cast(ubyte[])[42, 43, 44, 45]) == "2A2B2C2D"); assert(toHexString!(Order.decreasing)(cast(ubyte[4])[42, 43, 44, 45]) == "2D2C2B2A"); assert(toHexString!(Order.decreasing, LetterCase.lower)(cast(ubyte[4])[42, 43, 44, 45]) == "2d2c2b2a"); assert(toHexString!(Order.decreasing)(cast(ubyte[])[42, 43, 44, 45]) == "2D2C2B2A"); } /*+*********************** End of public helper part, private helpers follow ***********************/ /* * Used to convert from a ubyte[] slice to a ref ubyte[N]. * This helper is used internally in the WrapperDigest template to wrap the template API's * finish function. */ ref T[N] asArray(size_t N, T)(ref T[] source, string errorMsg = "") { assert(source.length >= N, errorMsg); return *cast(T[N]*) source.ptr; } /* * Returns the length (in bytes) of the hash value produced by T. */ template digestLength(T) if (isDigest!T) { enum size_t digestLength = (ReturnType!(T.finish)).length; } @safe pure nothrow @nogc unittest { import std.digest.md : MD5; import std.digest.sha : SHA1, SHA256, SHA512; assert(digestLength!MD5 == 16); assert(digestLength!SHA1 == 20); assert(digestLength!SHA256 == 32); assert(digestLength!SHA512 == 64); } /** * Wraps a template API hash struct into a Digest interface. * Modules providing digest implementations will usually provide * an alias for this template (e.g. MD5Digest, SHA1Digest, ...). */ class WrapperDigest(T) if (isDigest!T) : Digest { protected: T _digest; public final: /** * Initializes the digest. */ this() { _digest.start(); } /** * Use this to feed the digest with data. * Also implements the $(REF isOutputRange, std,range,primitives) * interface for $(D ubyte) and $(D const(ubyte)[]). */ @trusted nothrow void put(scope const(ubyte)[] data...) { _digest.put(data); } /** * Resets the internal state of the digest. * Note: * $(LREF finish) calls this internally, so it's not necessary to call * $(D reset) manually after a call to $(LREF finish). */ @trusted nothrow void reset() { _digest.start(); } /** * This is the length in bytes of the hash value which is returned by $(LREF finish). * It's also the required size of a buffer passed to $(LREF finish). */ @trusted nothrow @property size_t length() const pure { return digestLength!T; } /** * The finish function returns the hash value. It takes an optional buffer to copy the data * into. If a buffer is passed, it must have a length at least $(LREF length) bytes. * * Example: * -------- * * import std.digest.md; * ubyte[16] buf; * auto hash = new WrapperDigest!MD5(); * hash.put(cast(ubyte) 0); * auto result = hash.finish(buf[]); * //The result is now in result (and in buf). If you pass a buffer which is bigger than * //necessary, result will have the correct length, but buf will still have it's original * //length * -------- */ nothrow ubyte[] finish(ubyte[] buf) in { assert(buf.length >= this.length); } body { enum string msg = "Buffer needs to be at least " ~ digestLength!(T).stringof ~ " bytes " ~ "big, check " ~ typeof(this).stringof ~ ".length!"; asArray!(digestLength!T)(buf, msg) = _digest.finish(); return buf[0 .. digestLength!T]; } ///ditto @trusted nothrow ubyte[] finish() { enum len = digestLength!T; auto buf = new ubyte[len]; asArray!(digestLength!T)(buf) = _digest.finish(); return buf; } version(StdDdoc) { /** * Works like $(D finish) but does not reset the internal state, so it's possible * to continue putting data into this WrapperDigest after a call to peek. * * These functions are only available if $(D hasPeek!T) is true. */ @trusted ubyte[] peek(ubyte[] buf) const; ///ditto @trusted ubyte[] peek() const; } else static if (hasPeek!T) { @trusted ubyte[] peek(ubyte[] buf) const in { assert(buf.length >= this.length); } body { enum string msg = "Buffer needs to be at least " ~ digestLength!(T).stringof ~ " bytes " ~ "big, check " ~ typeof(this).stringof ~ ".length!"; asArray!(digestLength!T)(buf, msg) = _digest.peek(); return buf[0 .. digestLength!T]; } @trusted ubyte[] peek() const { enum len = digestLength!T; auto buf = new ubyte[len]; asArray!(digestLength!T)(buf) = _digest.peek(); return buf; } } } /// @system unittest { import std.digest.md; //Simple example auto hash = new WrapperDigest!MD5(); hash.put(cast(ubyte) 0); auto result = hash.finish(); } /// @system unittest { //using a supplied buffer import std.digest.md; ubyte[16] buf; auto hash = new WrapperDigest!MD5(); hash.put(cast(ubyte) 0); auto result = hash.finish(buf[]); //The result is now in result (and in buf). If you pass a buffer which is bigger than //necessary, result will have the correct length, but buf will still have it's original //length } @safe unittest { // Test peek & length import std.digest.crc; auto hash = new WrapperDigest!CRC32(); assert(hash.length == 4); hash.put(cast(const(ubyte[]))"The quick brown fox jumps over the lazy dog"); assert(hash.peek().toHexString() == "39A34F41"); ubyte[5] buf; assert(hash.peek(buf).toHexString() == "39A34F41"); } /** * Securely compares two digest representations while protecting against timing * attacks. Do not use `==` to compare digest representations. * * The attack happens as follows: * * $(OL * $(LI An attacker wants to send harmful data to your server, which * requires a integrity HMAC SHA1 token signed with a secret.) * $(LI The length of the token is known to be 40 characters long due to its format, * so the attacker first sends `"0000000000000000000000000000000000000000"`, * then `"1000000000000000000000000000000000000000"`, and so on.) * $(LI The given HMAC token is compared with the expected token using the * `==` string comparison, which returns `false` as soon as the first wrong * element is found. If a wrong element is found, then a rejection is sent * back to the sender.) * $(LI Eventually, the attacker is able to determine the first character in * the correct token because the sever takes slightly longer to return a * rejection. This is due to the comparison moving on to second item in * the two arrays, seeing they are different, and then sending the rejection.) * $(LI It may seem like too small of a difference in time for the attacker * to notice, but security researchers have shown that differences as * small as $(LINK2 http://www.cs.rice.edu/~dwallach/pub/crosby-timing2009.pdf, * 20µs can be reliably distinguished) even with network inconsistencies.) * $(LI Repeat the process for each character until the attacker has the whole * correct token and the server accepts the harmful data. This can be done * in a week with the attacker pacing the attack to 10 requests per second * with only one client.) * ) * * This function defends against this attack by always comparing every single * item in the array if the two arrays are the same length. Therefore, this * function is always $(BIGOH n) for ranges of the same length. * * This attack can also be mitigated via rate limiting and banning IPs which have too * many rejected requests. However, this does not completely solve the problem, * as the attacker could be in control of a bot net. To fully defend against * the timing attack, rate limiting, banning IPs, and using this function * should be used together. * * Params: * r1 = A digest representation * r2 = A digest representation * Returns: * `true` if both representations are equal, `false` otherwise * See_Also: * $(LINK2 https://en.wikipedia.org/wiki/Timing_attack, The Wikipedia article * on timing attacks). */ bool secureEqual(R1, R2)(R1 r1, R2 r2) if (isInputRange!R1 && isInputRange!R2 && !isInfinite!R1 && !isInfinite!R2 && (isIntegral!(ElementEncodingType!R1) || isSomeChar!(ElementEncodingType!R1)) && !is(CommonType!(ElementEncodingType!R1, ElementEncodingType!R2) == void)) { static if (hasLength!R1 && hasLength!R2) if (r1.length != r2.length) return false; int result; static if (isRandomAccessRange!R1 && isRandomAccessRange!R2 && hasLength!R1 && hasLength!R2) { foreach (i; 0 .. r1.length) result |= r1[i] ^ r2[i]; } else static if (hasLength!R1 && hasLength!R2) { // Lengths are the same so we can squeeze out a bit of performance // by not checking if r2 is empty for (; !r1.empty; r1.popFront(), r2.popFront()) { result |= r1.front ^ r2.front; } } else { // Generic case, walk both ranges for (; !r1.empty; r1.popFront(), r2.popFront()) { if (r2.empty) return false; result |= r1.front ^ r2.front; } if (!r2.empty) return false; } return result == 0; } /// @system pure unittest { import std.digest.hmac : hmac; import std.digest.sha : SHA1; import std.string : representation; // a typical HMAC data integrity verification auto secret = "A7GZIP6TAQA6OHM7KZ42KB9303CEY0MOV5DD6NTV".representation; auto data = "data".representation; string hex1 = data.hmac!SHA1(secret).toHexString; string hex2 = data.hmac!SHA1(secret).toHexString; string hex3 = "data1".representation.hmac!SHA1(secret).toHexString; assert( secureEqual(hex1, hex2)); assert(!secureEqual(hex1, hex3)); } @system pure unittest { import std.internal.test.dummyrange : ReferenceInputRange; import std.range : takeExactly; import std.string : representation; import std.utf : byWchar, byDchar; { auto hex1 = "02CA3484C375EDD3C0F08D3F50D119E61077".representation; auto hex2 = "02CA3484C375EDD3C0F08D3F50D119E610779018".representation; assert(!secureEqual(hex1, hex2)); } { auto hex1 = "02CA3484C375EDD3C0F08D3F50D119E610779018"w.representation; auto hex2 = "02CA3484C375EDD3C0F08D3F50D119E610779018"d.representation; assert(secureEqual(hex1, hex2)); } { auto hex1 = "02CA3484C375EDD3C0F08D3F50D119E610779018".byWchar; auto hex2 = "02CA3484C375EDD3C0F08D3F50D119E610779018".byDchar; assert(secureEqual(hex1, hex2)); } { auto hex1 = "02CA3484C375EDD3C0F08D3F50D119E61077".byWchar; auto hex2 = "02CA3484C375EDD3C0F08D3F50D119E610779018".byDchar; assert(!secureEqual(hex1, hex2)); } { auto hex1 = new ReferenceInputRange!int([0, 1, 2, 3, 4, 5, 6, 7, 8]).takeExactly(9); auto hex2 = new ReferenceInputRange!int([0, 1, 2, 3, 4, 5, 6, 7, 8]).takeExactly(9); assert(secureEqual(hex1, hex2)); } { auto hex1 = new ReferenceInputRange!int([0, 1, 2, 3, 4, 5, 6, 7, 8]).takeExactly(9); auto hex2 = new ReferenceInputRange!int([0, 1, 2, 3, 4, 5, 6, 7, 9]).takeExactly(9); assert(!secureEqual(hex1, hex2)); } }
D
/Users/carytsai/Documents/Sixdegrees_Ios_V2/DerivedData/Sixdegrees_Ios_V2/Build/Intermediates.noindex/Sixdegrees_Ios_V2.build/Debug-iphonesimulator/Sixdegrees_Ios_V2.build/Objects-normal/x86_64/GetAddStatus.o : /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/LoadingVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/LocalLoginVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyKeepVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/MyButtonBarVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/PopularTableViewControllerVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/NewsListTableViewControllerVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/VideoViewControllerVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/RegisterVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/SingleNewsStoryBoard/SingleNewsVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/RecommendTableViewVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/LocalData.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/ForgetPassword.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Api/ApiService.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ArticleDatasource.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetDatasource.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/MediaImage.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ErrorMessage.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Article.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/CommentAndArticle.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetCommentAndArticle.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetArticle.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ServerResponse.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/AppDelegate.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ModelConfig.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Api/Callback.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ArticleDetail.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/DonateDetail.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetDonateDetail.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SingleNewsImageCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SingNewsMessageCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SingNewsInnerCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/GoogleAdsCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SIngNewsHotCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/MyProfileTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/VideoTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/NewsHeaderTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/NewsTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Token.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetToken.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Version.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetVersion.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Pagination.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/UserAvatar.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetAvatar.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Member.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetMember.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyTabBarController.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyProfileViewController.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/BaseUiViewController.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/User.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/ConfigColor.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetError.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/MyCategories.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/ConfigUserDefaults.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetComments.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/LikeCounts.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetAddStatus.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetStatus.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Comment.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/EventBus/LoginEvent.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/EventBus/NewListEvent.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetDatasourceList.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetArticleList.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetCategoryList.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Category.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetCategory.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetMyCategory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/carytsai/Documents/Sixdegrees_Ios_V2/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/carytsai/Documents/Sixdegrees_Ios_V2/DerivedData/Sixdegrees_Ios_V2/Build/Intermediates.noindex/Sixdegrees_Ios_V2.build/Debug-iphonesimulator/Sixdegrees_Ios_V2.build/Objects-normal/x86_64/GetAddStatus~partial.swiftmodule : /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/LoadingVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/LocalLoginVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyKeepVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/MyButtonBarVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/PopularTableViewControllerVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/NewsListTableViewControllerVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/VideoViewControllerVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/RegisterVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/SingleNewsStoryBoard/SingleNewsVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/RecommendTableViewVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/LocalData.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/ForgetPassword.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Api/ApiService.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ArticleDatasource.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetDatasource.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/MediaImage.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ErrorMessage.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Article.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/CommentAndArticle.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetCommentAndArticle.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetArticle.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ServerResponse.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/AppDelegate.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ModelConfig.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Api/Callback.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ArticleDetail.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/DonateDetail.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetDonateDetail.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SingleNewsImageCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SingNewsMessageCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SingNewsInnerCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/GoogleAdsCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SIngNewsHotCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/MyProfileTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/VideoTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/NewsHeaderTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/NewsTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Token.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetToken.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Version.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetVersion.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Pagination.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/UserAvatar.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetAvatar.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Member.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetMember.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyTabBarController.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyProfileViewController.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/BaseUiViewController.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/User.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/ConfigColor.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetError.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/MyCategories.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/ConfigUserDefaults.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetComments.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/LikeCounts.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetAddStatus.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetStatus.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Comment.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/EventBus/LoginEvent.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/EventBus/NewListEvent.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetDatasourceList.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetArticleList.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetCategoryList.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Category.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetCategory.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetMyCategory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/carytsai/Documents/Sixdegrees_Ios_V2/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/carytsai/Documents/Sixdegrees_Ios_V2/DerivedData/Sixdegrees_Ios_V2/Build/Intermediates.noindex/Sixdegrees_Ios_V2.build/Debug-iphonesimulator/Sixdegrees_Ios_V2.build/Objects-normal/x86_64/GetAddStatus~partial.swiftdoc : /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/LoadingVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/LocalLoginVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyKeepVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/MyButtonBarVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/PopularTableViewControllerVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/NewsListTableViewControllerVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/VideoViewControllerVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/RegisterVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/SingleNewsStoryBoard/SingleNewsVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyButtonBar/RecommendTableViewVC.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/LocalData.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/MainStoryBoard/ForgetPassword.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Api/ApiService.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ArticleDatasource.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetDatasource.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/MediaImage.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ErrorMessage.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Article.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/CommentAndArticle.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetCommentAndArticle.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetArticle.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ServerResponse.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/AppDelegate.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ModelConfig.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Api/Callback.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/ArticleDetail.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/DonateDetail.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetDonateDetail.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SingleNewsImageCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SingNewsMessageCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SingNewsInnerCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/GoogleAdsCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/SIngNewsHotCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/MyProfileTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/VideoTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/NewsHeaderTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/Cell/NewsTableViewCell.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Token.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetToken.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Version.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetVersion.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Pagination.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/UserAvatar.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetAvatar.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Member.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetMember.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyTabBarController.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/ViewController/LoginAfterStoryBoard/MyTabBarController/MyProfileViewController.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/BaseUiViewController.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/User.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/ConfigColor.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetError.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/MyCategories.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Util/ConfigUserDefaults.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetComments.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/LikeCounts.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetAddStatus.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetStatus.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Comment.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/EventBus/LoginEvent.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/EventBus/NewListEvent.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetDatasourceList.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetArticleList.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetCategoryList.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/Category.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetCategory.swift /Users/carytsai/Documents/Sixdegrees_Ios_V2/Sixdegrees_Ios_V2/Model/Model/GetInfo/GetMyCategory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/carytsai/Documents/Sixdegrees_Ios_V2/Pods/Firebase/CoreOnly/Sources/module.modulemap
D
module android.java.android.provider.MediaStore_Audio_Artists; public import android.java.android.provider.MediaStore_Audio_Artists_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!MediaStore_Audio_Artists; import import1 = android.java.java.lang.Class; import import0 = android.java.android.net.Uri;
D
/Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Intermediates.noindex/mealify.build/Debug-iphonesimulator/mealify.build/Objects-normal/x86_64/MealTableViewCell.o : /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController1.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController2.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController3.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController4.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController5.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController6.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/New\ Group/ViewControllerJ.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/Other\ Files/AppDelegate.swift /Users/justinlew/Documents/iOS_dev/mealify.io/Meal.swift /Users/justinlew/Documents/iOS_dev/mealify.io/MealTableViewCell.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/New\ Group/addFoodViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/MealTableViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/New\ Group/ChartsViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewControllerRegister.swift /Users/justinlew/Documents/iOS_dev/mealify.io/Numbers.swift /Users/justinlew/Documents/iOS_dev/mealify.io/Day.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Modules/Charts.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Headers/Charts-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Headers/Charts-Swift.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsSwiftNameSupport.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Intermediates.noindex/mealify.build/Debug-iphonesimulator/mealify.build/Objects-normal/x86_64/MealTableViewCell~partial.swiftmodule : /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController1.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController2.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController3.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController4.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController5.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController6.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/New\ Group/ViewControllerJ.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/Other\ Files/AppDelegate.swift /Users/justinlew/Documents/iOS_dev/mealify.io/Meal.swift /Users/justinlew/Documents/iOS_dev/mealify.io/MealTableViewCell.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/New\ Group/addFoodViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/MealTableViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/New\ Group/ChartsViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewControllerRegister.swift /Users/justinlew/Documents/iOS_dev/mealify.io/Numbers.swift /Users/justinlew/Documents/iOS_dev/mealify.io/Day.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Modules/Charts.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Headers/Charts-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Headers/Charts-Swift.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsSwiftNameSupport.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Intermediates.noindex/mealify.build/Debug-iphonesimulator/mealify.build/Objects-normal/x86_64/MealTableViewCell~partial.swiftdoc : /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController1.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController2.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController3.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController4.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController5.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController6.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/New\ Group/ViewControllerJ.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/Other\ Files/AppDelegate.swift /Users/justinlew/Documents/iOS_dev/mealify.io/Meal.swift /Users/justinlew/Documents/iOS_dev/mealify.io/MealTableViewCell.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/New\ Group/addFoodViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/MealTableViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/mealify/New\ Group/ChartsViewController.swift /Users/justinlew/Documents/iOS_dev/mealify.io/ViewControllerRegister.swift /Users/justinlew/Documents/iOS_dev/mealify.io/Numbers.swift /Users/justinlew/Documents/iOS_dev/mealify.io/Day.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/SwiftyJSON.swiftmodule/x86_64.swiftmodule /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Modules/Charts.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Headers/Charts-umbrella.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Headers/SwiftyJSON-Swift.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Headers/Charts-Swift.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsSwiftNameSupport.h /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/SwiftyJSON/SwiftyJSON.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/justinlew/Documents/iOS_dev/mealify.io/DerivedData/mealify/Build/Products/Debug-iphonesimulator/Charts/Charts.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
import std.stdio; import std.c.stdlib : exit; /// Writes whatever you tell it and then exits the program successfully void writeAndSucceed(S...)(S toWrite) { writeln(toWrite); exit(0); } /// Writes the help text and fails. /// If the user explicitly requests help, we'll succeed (see writeAndSucceed), /// but if what they give us isn't valid, bail. void writeAndFail(S...)(S helpText) { stderr.writeln(helpText); exit(1); } string versionString = q"EOS gibim 0.1 by Matt Kline, Fluke Networks EOS"; string helpText = q"EOS Usage: gibim [--dry-run] gibim is a Git Bidirectional Mirror - it attempts to keep two Git repositories, neither of which are read-only, in sync so long as branches in the two don't diverge. When run in a Git repository that has two remotes, it will find branches that trail behind their corresponding versions in the other remote and attempt to fast-forward them. Branches that only exist on one remote and branches that exist on both remotes but have diverged are ignored and left to the user. Options: --help, -h Display this help text. --version Display version information. --dry-run, -d Just display the Git commands that would to sync the remotes instead of actually running them. --show-unique, -u Print a list of branches found on one remote but not on the other. --graph, -g Display a graph of Git history between corresponding branches on the two remotes. --verbose, -v Print extra info, such as branches that are identical on both remotes and which remote is behind the other for branches that can be fast-forwarded. EOS";
D
// Written in the D programming language. /** This module implements the formatting functionality for strings and I/O. It's comparable to C99's `vsprintf()` and uses a similar _format encoding scheme. For an introductory look at $(B std._format)'s capabilities and how to use this module see the dedicated $(LINK2 http://wiki.dlang.org/Defining_custom_print_format_specifiers, DWiki article). This module centers around two functions: $(BOOKTABLE , $(TR $(TH Function Name) $(TH Description) ) $(TR $(TD $(LREF formattedRead)) $(TD Reads values according to the format string from an InputRange. )) $(TR $(TD $(LREF formattedWrite)) $(TD Formats its arguments according to the format string and puts them to an OutputRange. )) ) Please see the documentation of function $(LREF formattedWrite) for a description of the format string. Two functions have been added for convenience: $(BOOKTABLE , $(TR $(TH Function Name) $(TH Description) ) $(TR $(TD $(LREF format)) $(TD Returns a GC-allocated string with the formatting result. )) $(TR $(TD $(LREF sformat)) $(TD Puts the formatting result into a preallocated array. )) ) These two functions are publicly imported by $(MREF std, string) to be easily available. The functions $(LREF formatValue) and $(LREF unformatValue) are used for the plumbing. Copyright: Copyright The D Language Foundation 2000-2013. License: $(HTTP boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: $(HTTP walterbright.com, Walter Bright), $(HTTP erdani.com, Andrei Alexandrescu), and Kenji Hara Source: $(PHOBOSSRC std/format.d) */ module std.format; //debug=format; // uncomment to turn on debugging printf's import core.vararg; import std.exception; import std.meta; import std.range.primitives; import std.traits; /** Signals a mismatch between a format and its corresponding argument. */ class FormatException : Exception { @safe @nogc pure nothrow this() { super("format error"); } @safe @nogc pure nothrow this(string msg, string fn = __FILE__, size_t ln = __LINE__, Throwable next = null) { super(msg, fn, ln, next); } } /// @safe unittest { import std.exception : assertThrown; assertThrown!FormatException(format("%d", "foo")); } private alias enforceFmt = enforce!FormatException; /********************************************************************** Interprets variadic argument list `args`, formats them according to `fmt`, and sends the resulting characters to `w`. The encoding of the output is the same as `Char`. The type `Writer` must satisfy $(D $(REF isOutputRange, std,range,primitives)!(Writer, Char)). The variadic arguments are normally consumed in order. POSIX-style $(HTTP opengroup.org/onlinepubs/009695399/functions/printf.html, positional parameter syntax) is also supported. Each argument is formatted into a sequence of chars according to the format specification, and the characters are passed to `w`. As many arguments as specified in the format string are consumed and formatted. If there are fewer arguments than format specifiers, a `FormatException` is thrown. If there are more remaining arguments than needed by the format specification, they are ignored but only if at least one argument was formatted. The format string supports the formatting of array and nested array elements via the grouping format specifiers $(B %&#40;) and $(B %&#41;). Each matching pair of $(B %&#40;) and $(B %&#41;) corresponds with a single array argument. The enclosed sub-format string is applied to individual array elements. The trailing portion of the sub-format string following the conversion specifier for the array element is interpreted as the array delimiter, and is therefore omitted following the last array element. The $(B %|) specifier may be used to explicitly indicate the start of the delimiter, so that the preceding portion of the string will be included following the last array element. (See below for explicit examples.) Params: w = Output is sent to this writer. Typical output writers include $(REF Appender!string, std,array) and $(REF LockingTextWriter, std,stdio). fmt = Format string. args = Variadic argument list. Returns: Formatted number of arguments. Throws: Mismatched arguments and formats result in a $(D FormatException) being thrown. Format_String: <a name="format-string">$(I Format strings)</a> consist of characters interspersed with $(I format specifications). Characters are simply copied to the output (such as putc) after any necessary conversion to the corresponding UTF-8 sequence. The format string has the following grammar: $(PRE $(I FormatString): $(I FormatStringItem)* $(I FormatStringItem): $(B '%%') $(B '%') $(I Position) $(I Flags) $(I Width) $(I Separator) $(I Precision) $(I FormatChar) $(B '%$(LPAREN)') $(I FormatString) $(B '%$(RPAREN)') $(I OtherCharacterExceptPercent) $(I Position): $(I empty) $(I Integer) $(B '$') $(I Flags): $(I empty) $(B '-') $(I Flags) $(B '+') $(I Flags) $(B '#') $(I Flags) $(B '0') $(I Flags) $(B ' ') $(I Flags) $(I Width): $(I empty) $(I Integer) $(B '*') $(I Separator): $(I empty) $(B ',') $(B ',') $(B '?') $(B ',') $(B '*') $(B '?') $(B ',') $(I Integer) $(B '?') $(B ',') $(B '*') $(B ',') $(I Integer) $(I Precision): $(I empty) $(B '.') $(B '.') $(I Integer) $(B '.*') $(I Integer): $(I Digit) $(I Digit) $(I Integer) $(I Digit): $(B '0')|$(B '1')|$(B '2')|$(B '3')|$(B '4')|$(B '5')|$(B '6')|$(B '7')|$(B '8')|$(B '9') $(I FormatChar): $(B 's')|$(B 'c')|$(B 'b')|$(B 'd')|$(B 'o')|$(B 'x')|$(B 'X')|$(B 'e')|$(B 'E')|$(B 'f')|$(B 'F')|$(B 'g')|$(B 'G')|$(B 'a')|$(B 'A')|$(B '|') ) $(BOOKTABLE Flags affect formatting depending on the specifier as follows., $(TR $(TH Flag) $(TH Types&nbsp;affected) $(TH Semantics)) $(TR $(TD $(B '-')) $(TD numeric) $(TD Left justify the result in the field. It overrides any $(B 0) flag.)) $(TR $(TD $(B '+')) $(TD numeric) $(TD Prefix positive numbers in a signed conversion with a $(B +). It overrides any $(I space) flag.)) $(TR $(TD $(B '#')) $(TD integral ($(B 'o'))) $(TD Add to precision as necessary so that the first digit of the octal formatting is a '0', even if both the argument and the $(I Precision) are zero.)) $(TR $(TD $(B '#')) $(TD integral ($(B 'x'), $(B 'X'))) $(TD If non-zero, prefix result with $(B 0x) ($(B 0X)).)) $(TR $(TD $(B '#')) $(TD floating) $(TD Always insert the decimal point and print trailing zeros.)) $(TR $(TD $(B '0')) $(TD numeric) $(TD Use leading zeros to pad rather than spaces (except for the floating point values `nan` and `infinity`). Ignore if there's a $(I Precision).)) $(TR $(TD $(B ' ')) $(TD numeric) $(TD Prefix positive numbers in a signed conversion with a space.))) $(DL $(DT $(I Width)) $(DD Specifies the minimum field width. If the width is a $(B *), an additional argument of type $(B int), preceding the actual argument, is taken as the width. If the width is negative, it is as if the $(B -) was given as a $(I Flags) character.) $(DT $(I Precision)) $(DD Gives the precision for numeric conversions. If the precision is a $(B *), an additional argument of type $(B int), preceding the actual argument, is taken as the precision. If it is negative, it is as if there was no $(I Precision) specifier.) $(DT $(I Separator)) $(DD Inserts the separator symbols ',' every $(I X) digits, from right to left, into numeric values to increase readability. The fractional part of floating point values inserts the separator from left to right. Entering an integer after the ',' allows to specify $(I X). If a '*' is placed after the ',' then $(I X) is specified by an additional parameter to the format function. Adding a '?' after the ',' or $(I X) specifier allows to specify the separator character as an additional parameter. ) $(DT $(I FormatChar)) $(DD $(DL $(DT $(B 's')) $(DD The corresponding argument is formatted in a manner consistent with its type: $(DL $(DT $(B bool)) $(DD The result is `"true"` or `"false"`.) $(DT integral types) $(DD The $(B %d) format is used.) $(DT floating point types) $(DD The $(B %g) format is used.) $(DT string types) $(DD The result is the string converted to UTF-8. A $(I Precision) specifies the maximum number of characters to use in the result.) $(DT structs) $(DD If the struct defines a $(B toString()) method the result is the string returned from this function. Otherwise the result is StructName(field<sub>0</sub>, field<sub>1</sub>, ...) where field<sub>n</sub> is the nth element formatted with the default format.) $(DT classes derived from $(B Object)) $(DD The result is the string returned from the class instance's $(B .toString()) method. A $(I Precision) specifies the maximum number of characters to use in the result.) $(DT unions) $(DD If the union defines a $(B toString()) method the result is the string returned from this function. Otherwise the result is the name of the union, without its contents.) $(DT non-string static and dynamic arrays) $(DD The result is [s<sub>0</sub>, s<sub>1</sub>, ...] where s<sub>n</sub> is the nth element formatted with the default format.) $(DT associative arrays) $(DD The result is the equivalent of what the initializer would look like for the contents of the associative array, e.g.: ["red" : 10, "blue" : 20].) )) $(DT $(B 'c')) $(DD The corresponding argument must be a character type.) $(DT $(B 'b','d','o','x','X')) $(DD The corresponding argument must be an integral type and is formatted as an integer. If the argument is a signed type and the $(I FormatChar) is $(B d) it is converted to a signed string of characters, otherwise it is treated as unsigned. An argument of type $(B bool) is formatted as '1' or '0'. The base used is binary for $(B b), octal for $(B o), decimal for $(B d), and hexadecimal for $(B x) or $(B X). $(B x) formats using lower case letters, $(B X) uppercase. If there are fewer resulting digits than the $(I Precision), leading zeros are used as necessary. If the $(I Precision) is 0 and the number is 0, no digits result.) $(DT $(B 'e','E')) $(DD A floating point number is formatted as one digit before the decimal point, $(I Precision) digits after, the $(I FormatChar), &plusmn;, followed by at least a two digit exponent: $(I d.dddddd)e$(I &plusmn;dd). If there is no $(I Precision), six digits are generated after the decimal point. If the $(I Precision) is 0, no decimal point is generated.) $(DT $(B 'f','F')) $(DD A floating point number is formatted in decimal notation. The $(I Precision) specifies the number of digits generated after the decimal point. It defaults to six. At least one digit is generated before the decimal point. If the $(I Precision) is zero, no decimal point is generated.) $(DT $(B 'g','G')) $(DD A floating point number is formatted in either $(B e) or $(B f) format for $(B g); $(B E) or $(B F) format for $(B G). The $(B f) format is used if the exponent for an $(B e) format is greater than -5 and less than the $(I Precision). The $(I Precision) specifies the number of significant digits, and defaults to six. Trailing zeros are elided after the decimal point, if the fractional part is zero then no decimal point is generated.) $(DT $(B 'a','A')) $(DD A floating point number is formatted in hexadecimal exponential notation 0x$(I h.hhhhhh)p$(I &plusmn;d). There is one hexadecimal digit before the decimal point, and as many after as specified by the $(I Precision). If the $(I Precision) is zero, no decimal point is generated. If there is no $(I Precision), as many hexadecimal digits as necessary to exactly represent the mantissa are generated. The exponent is written in as few digits as possible, but at least one, is in decimal, and represents a power of 2 as in $(I h.hhhhhh)*2<sup>$(I &plusmn;d)</sup>. The exponent for zero is zero. The hexadecimal digits, x and p are in upper case if the $(I FormatChar) is upper case.) )) ) Floating point NaN's are formatted as $(B nan) if the $(I FormatChar) is lower case, or $(B NAN) if upper. Floating point infinities are formatted as $(B inf) or $(B infinity) if the $(I FormatChar) is lower case, or $(B INF) or $(B INFINITY) if upper. The positional and non-positional styles can be mixed in the same format string. (POSIX leaves this behavior undefined.) The internal counter for non-positional parameters tracks the next parameter after the largest positional parameter already used. Example using array and nested array formatting: ------------------------- import std.stdio; void main() { writefln("My items are %(%s %).", [1,2,3]); writefln("My items are %(%s, %).", [1,2,3]); } ------------------------- The output is: $(CONSOLE My items are 1 2 3. My items are 1, 2, 3. ) The trailing end of the sub-format string following the specifier for each item is interpreted as the array delimiter, and is therefore omitted following the last array item. The $(B %|) delimiter specifier may be used to indicate where the delimiter begins, so that the portion of the format string prior to it will be retained in the last array element: ------------------------- import std.stdio; void main() { writefln("My items are %(-%s-%|, %).", [1,2,3]); } ------------------------- which gives the output: $(CONSOLE My items are -1-, -2-, -3-. ) These compound format specifiers may be nested in the case of a nested array argument: ------------------------- import std.stdio; void main() { auto mat = [[1, 2, 3], [4, 5, 6], [7, 8, 9]]; writefln("%(%(%d %)\n%)", mat); writeln(); writefln("[%(%(%d %)\n %)]", mat); writeln(); writefln("[%([%(%d %)]%|\n %)]", mat); writeln(); } ------------------------- The output is: $(CONSOLE 1 2 3 4 5 6 7 8 9 [1 2 3 4 5 6 7 8 9] [[1 2 3] [4 5 6] [7 8 9]] ) Inside a compound format specifier, strings and characters are escaped automatically. To avoid this behavior, add $(B '-') flag to `"%$(LPAREN)"`. ------------------------- import std.stdio; void main() { writefln("My friends are %s.", ["John", "Nancy"]); writefln("My friends are %(%s, %).", ["John", "Nancy"]); writefln("My friends are %-(%s, %).", ["John", "Nancy"]); } ------------------------- which gives the output: $(CONSOLE My friends are ["John", "Nancy"]. My friends are "John", "Nancy". My friends are John, Nancy. ) */ uint formattedWrite(alias fmt, Writer, A...)(auto ref Writer w, A args) if (isSomeString!(typeof(fmt))) { alias e = checkFormatException!(fmt, A); static assert(!e, e.msg); return .formattedWrite(w, fmt, args); } /// The format string can be checked at compile-time (see $(LREF format) for details): @safe pure unittest { import std.array : appender; auto writer = appender!string(); writer.formattedWrite!"%s is the ultimate %s."(42, "answer"); assert(writer.data == "42 is the ultimate answer."); // Clear the writer writer = appender!string(); formattedWrite(writer, "Date: %2$s %1$s", "October", 5); assert(writer.data == "Date: 5 October"); } /// ditto uint formattedWrite(Writer, Char, A...)(auto ref Writer w, in Char[] fmt, A args) { import std.conv : text; auto spec = FormatSpec!Char(fmt); // Are we already done with formats? Then just dump each parameter in turn uint currentArg = 0; while (spec.writeUpToNextSpec(w)) { if (currentArg == A.length && !spec.indexStart) { // leftover spec? enforceFmt(fmt.length == 0, text("Orphan format specifier: %", spec.spec)); break; } if (spec.width == spec.DYNAMIC) { auto width = getNthInt!"integer width"(currentArg, args); if (width < 0) { spec.flDash = true; width = -width; } spec.width = width; ++currentArg; } else if (spec.width < 0) { // means: get width as a positional parameter auto index = cast(uint) -spec.width; assert(index > 0); auto width = getNthInt!"integer width"(index - 1, args); if (currentArg < index) currentArg = index; if (width < 0) { spec.flDash = true; width = -width; } spec.width = width; } if (spec.precision == spec.DYNAMIC) { auto precision = getNthInt!"integer precision"(currentArg, args); if (precision >= 0) spec.precision = precision; // else negative precision is same as no precision else spec.precision = spec.UNSPECIFIED; ++currentArg; } else if (spec.precision < 0) { // means: get precision as a positional parameter auto index = cast(uint) -spec.precision; assert(index > 0); auto precision = getNthInt!"integer precision"(index- 1, args); if (currentArg < index) currentArg = index; if (precision >= 0) spec.precision = precision; // else negative precision is same as no precision else spec.precision = spec.UNSPECIFIED; } if (spec.separators == spec.DYNAMIC) { auto separators = getNthInt!"separator digit width"(currentArg, args); spec.separators = separators; ++currentArg; } if (spec.separatorCharPos == spec.DYNAMIC) { auto separatorChar = getNth!("separator character", isSomeChar, dchar)(currentArg, args); spec.separatorChar = separatorChar; ++currentArg; } if (currentArg == A.length && !spec.indexStart) { // leftover spec? enforceFmt(fmt.length == 0, text("Orphan format specifier: %", spec.spec)); break; } // Format an argument // This switch uses a static foreach to generate a jump table. // Currently `spec.indexStart` use the special value '0' to signal // we should use the current argument. An enhancement would be to // always store the index. size_t index = currentArg; if (spec.indexStart != 0) index = spec.indexStart - 1; else ++currentArg; SWITCH: switch (index) { foreach (i, Tunused; A) { case i: formatValue(w, args[i], spec); if (currentArg < spec.indexEnd) currentArg = spec.indexEnd; // A little know feature of format is to format a range // of arguments, e.g. `%1:3$` will format the first 3 // arguments. Since they have to be consecutive we can // just use explicit fallthrough to cover that case. if (i + 1 < spec.indexEnd) { // You cannot goto case if the next case is the default static if (i + 1 < A.length) goto case; else goto default; } else break SWITCH; } default: throw new FormatException( text("Positional specifier %", spec.indexStart, '$', spec.spec, " index exceeds ", A.length)); } } return currentArg; } /// @safe unittest { assert(format("%,d", 1000) == "1,000"); assert(format("%,f", 1234567.891011) == "1,234,567.891,011"); assert(format("%,?d", '?', 1000) == "1?000"); assert(format("%,1d", 1000) == "1,0,0,0", format("%,1d", 1000)); assert(format("%,*d", 4, -12345) == "-1,2345"); assert(format("%,*?d", 4, '_', -12345) == "-1_2345"); assert(format("%,6?d", '_', -12345678) == "-12_345678"); assert(format("%12,3.3f", 1234.5678) == " 1,234.568", "'" ~ format("%12,3.3f", 1234.5678) ~ "'"); } @safe pure unittest { import std.array; auto w = appender!string(); formattedWrite(w, "%s %d", "@safe/pure", 42); assert(w.data == "@safe/pure 42"); } @safe pure unittest { char[20] buf; auto w = buf[]; formattedWrite(w, "%s %d", "@safe/pure", 42); assert(buf[0 .. $ - w.length] == "@safe/pure 42"); } /** Reads characters from $(REF_ALTTEXT input range, isInputRange, std,range,primitives) `r`, converts them according to `fmt`, and writes them to `args`. Params: r = The range to read from. fmt = The format of the data to read. args = The drain of the data read. Returns: On success, the function returns the number of variables filled. This count can match the expected number of readings or fewer, even zero, if a matching failure happens. Throws: A `FormatException` if `S.length == 0` and `fmt` has format specifiers. */ uint formattedRead(alias fmt, R, S...)(auto ref R r, auto ref S args) if (isSomeString!(typeof(fmt))) { alias e = checkFormatException!(fmt, S); static assert(!e, e.msg); return .formattedRead(r, fmt, args); } /// ditto uint formattedRead(R, Char, S...)(auto ref R r, const(Char)[] fmt, auto ref S args) { import std.typecons : isTuple; auto spec = FormatSpec!Char(fmt); static if (!S.length) { spec.readUpToNextSpec(r); enforceFmt(spec.trailing.empty, "Trailing characters in formattedRead format string"); return 0; } else { enum hasPointer = isPointer!(typeof(args[0])); // The function below accounts for '*' == fields meant to be // read and skipped void skipUnstoredFields() { for (;;) { spec.readUpToNextSpec(r); if (spec.width != spec.DYNAMIC) break; // must skip this field skipData(r, spec); } } skipUnstoredFields(); if (r.empty) { // Input is empty, nothing to read return 0; } static if (hasPointer) alias A = typeof(*args[0]); else alias A = typeof(args[0]); static if (isTuple!A) { foreach (i, T; A.Types) { static if (hasPointer) (*args[0])[i] = unformatValue!(T)(r, spec); else args[0][i] = unformatValue!(T)(r, spec); skipUnstoredFields(); } } else { static if (hasPointer) *args[0] = unformatValue!(A)(r, spec); else args[0] = unformatValue!(A)(r, spec); } return 1 + formattedRead(r, spec.trailing, args[1 .. $]); } } /// The format string can be checked at compile-time (see $(LREF format) for details): @safe pure unittest { string s = "hello!124:34.5"; string a; int b; double c; s.formattedRead!"%s!%s:%s"(a, b, c); assert(a == "hello" && b == 124 && c == 34.5); } @safe unittest { import std.math; string s = " 1.2 3.4 "; double x, y, z; assert(formattedRead(s, " %s %s %s ", x, y, z) == 2); assert(s.empty); assert(approxEqual(x, 1.2)); assert(approxEqual(y, 3.4)); assert(isNaN(z)); } // for backwards compatibility @system pure unittest { string s = "hello!124:34.5"; string a; int b; double c; formattedRead(s, "%s!%s:%s", &a, &b, &c); assert(a == "hello" && b == 124 && c == 34.5); // mix pointers and auto-ref s = "world!200:42.25"; formattedRead(s, "%s!%s:%s", a, &b, &c); assert(a == "world" && b == 200 && c == 42.25); s = "world1!201:42.5"; formattedRead(s, "%s!%s:%s", &a, &b, c); assert(a == "world1" && b == 201 && c == 42.5); s = "world2!202:42.75"; formattedRead(s, "%s!%s:%s", a, b, &c); assert(a == "world2" && b == 202 && c == 42.75); } // for backwards compatibility @system pure unittest { import std.math; string s = " 1.2 3.4 "; double x, y, z; assert(formattedRead(s, " %s %s %s ", &x, &y, &z) == 2); assert(s.empty); assert(approxEqual(x, 1.2)); assert(approxEqual(y, 3.4)); assert(isNaN(z)); } @system pure unittest { string line; bool f1; line = "true"; formattedRead(line, "%s", &f1); assert(f1); line = "TrUE"; formattedRead(line, "%s", &f1); assert(f1); line = "false"; formattedRead(line, "%s", &f1); assert(!f1); line = "fALsE"; formattedRead(line, "%s", &f1); assert(!f1); line = "1"; formattedRead(line, "%d", &f1); assert(f1); line = "-1"; formattedRead(line, "%d", &f1); assert(f1); line = "0"; formattedRead(line, "%d", &f1); assert(!f1); line = "-0"; formattedRead(line, "%d", &f1); assert(!f1); } @system pure unittest { union B { char[int.sizeof] untyped; int typed; } B b; b.typed = 5; char[] input = b.untyped[]; int witness; formattedRead(input, "%r", &witness); assert(witness == b.typed); } @system pure unittest { union A { char[float.sizeof] untyped; float typed; } A a; a.typed = 5.5; char[] input = a.untyped[]; float witness; formattedRead(input, "%r", &witness); assert(witness == a.typed); } @system pure unittest { import std.typecons; char[] line = "1 2".dup; int a, b; formattedRead(line, "%s %s", &a, &b); assert(a == 1 && b == 2); line = "10 2 3".dup; formattedRead(line, "%d ", &a); assert(a == 10); assert(line == "2 3"); Tuple!(int, float) t; line = "1 2.125".dup; formattedRead(line, "%d %g", &t); assert(t[0] == 1 && t[1] == 2.125); line = "1 7643 2.125".dup; formattedRead(line, "%s %*u %s", &t); assert(t[0] == 1 && t[1] == 2.125); } @system pure unittest { string line; char c1, c2; line = "abc"; formattedRead(line, "%s%c", &c1, &c2); assert(c1 == 'a' && c2 == 'b'); assert(line == "c"); } @system pure unittest { string line; line = "[1,2,3]"; int[] s1; formattedRead(line, "%s", &s1); assert(s1 == [1,2,3]); } @system pure unittest { string line; line = "[1,2,3]"; int[] s1; formattedRead(line, "[%(%s,%)]", &s1); assert(s1 == [1,2,3]); line = `["hello", "world"]`; string[] s2; formattedRead(line, "[%(%s, %)]", &s2); assert(s2 == ["hello", "world"]); line = "123 456"; int[] s3; formattedRead(line, "%(%s %)", &s3); assert(s3 == [123, 456]); line = "h,e,l,l,o; w,o,r,l,d"; string[] s4; formattedRead(line, "%(%(%c,%); %)", &s4); assert(s4 == ["hello", "world"]); } @system pure unittest { string line; int[4] sa1; line = `[1,2,3,4]`; formattedRead(line, "%s", &sa1); assert(sa1 == [1,2,3,4]); int[4] sa2; line = `[1,2,3]`; assertThrown(formattedRead(line, "%s", &sa2)); int[4] sa3; line = `[1,2,3,4,5]`; assertThrown(formattedRead(line, "%s", &sa3)); } @system pure unittest { string input; int[4] sa1; input = `[1,2,3,4]`; formattedRead(input, "[%(%s,%)]", &sa1); assert(sa1 == [1,2,3,4]); int[4] sa2; input = `[1,2,3]`; assertThrown!FormatException(formattedRead(input, "[%(%s,%)]", &sa2)); } @system pure unittest { string line; string s1, s2; line = "hello, world"; formattedRead(line, "%s", &s1); assert(s1 == "hello, world", s1); line = "hello, world;yah"; formattedRead(line, "%s;%s", &s1, &s2); assert(s1 == "hello, world", s1); assert(s2 == "yah", s2); line = `['h','e','l','l','o']`; string s3; formattedRead(line, "[%(%s,%)]", &s3); assert(s3 == "hello"); line = `"hello"`; string s4; formattedRead(line, "\"%(%c%)\"", &s4); assert(s4 == "hello"); } @system pure unittest { string line; string[int] aa1; line = `[1:"hello", 2:"world"]`; formattedRead(line, "%s", &aa1); assert(aa1 == [1:"hello", 2:"world"]); int[string] aa2; line = `{"hello"=1; "world"=2}`; formattedRead(line, "{%(%s=%s; %)}", &aa2); assert(aa2 == ["hello":1, "world":2]); int[string] aa3; line = `{[hello=1]; [world=2]}`; formattedRead(line, "{%([%(%c%)=%s]%|; %)}", &aa3); assert(aa3 == ["hello":1, "world":2]); } // test rvalue using @system pure unittest { string[int] aa1; formattedRead!("%s")(`[1:"hello", 2:"world"]`, aa1); assert(aa1 == [1:"hello", 2:"world"]); int[string] aa2; formattedRead(`{"hello"=1; "world"=2}`, "{%(%s=%s; %)}", aa2); assert(aa2 == ["hello":1, "world":2]); } template FormatSpec(Char) if (!is(Unqual!Char == Char)) { alias FormatSpec = FormatSpec!(Unqual!Char); } /** * A General handler for `printf` style format specifiers. Used for building more * specific formatting functions. */ struct FormatSpec(Char) if (is(Unqual!Char == Char)) { import std.algorithm.searching : startsWith; import std.ascii : isDigit, isPunctuation, isAlpha; import std.conv : parse, text, to; /** Minimum _width, default `0`. */ int width = 0; /** Precision. Its semantics depends on the argument type. For floating point numbers, _precision dictates the number of decimals printed. */ int precision = UNSPECIFIED; /** Number of digits printed between _separators. */ int separators = UNSPECIFIED; /** Set to `DYNAMIC` when the separator character is supplied at runtime. */ int separatorCharPos = UNSPECIFIED; /** Character to insert between digits. */ dchar separatorChar = ','; /** Special value for width and precision. `DYNAMIC` width or precision means that they were specified with `'*'` in the format string and are passed at runtime through the varargs. */ enum int DYNAMIC = int.max; /** Special value for precision, meaning the format specifier contained no explicit precision. */ enum int UNSPECIFIED = DYNAMIC - 1; /** The actual format specifier, `'s'` by default. */ char spec = 's'; /** Index of the argument for positional parameters, from `1` to `ubyte.max`. (`0` means not used). */ ubyte indexStart; /** Index of the last argument for positional parameter range, from `1` to `ubyte.max`. (`0` means not used). */ ubyte indexEnd; version (StdDdoc) { /** The format specifier contained a `'-'` (`printf` compatibility). */ bool flDash; /** The format specifier contained a `'0'` (`printf` compatibility). */ bool flZero; /** The format specifier contained a $(D ' ') (`printf` compatibility). */ bool flSpace; /** The format specifier contained a `'+'` (`printf` compatibility). */ bool flPlus; /** The format specifier contained a `'#'` (`printf` compatibility). */ bool flHash; /** The format specifier contained a `','` */ bool flSeparator; // Fake field to allow compilation ubyte allFlags; } else { union { import std.bitmanip : bitfields; mixin(bitfields!( bool, "flDash", 1, bool, "flZero", 1, bool, "flSpace", 1, bool, "flPlus", 1, bool, "flHash", 1, bool, "flSeparator", 1, ubyte, "", 2)); ubyte allFlags; } } /** In case of a compound format specifier starting with $(D "%$(LPAREN)") and ending with `"%$(RPAREN)"`, `_nested` contains the string contained within the two separators. */ const(Char)[] nested; /** In case of a compound format specifier, `_sep` contains the string positioning after `"%|"`. `sep is null` means no separator else `sep.empty` means 0 length separator. */ const(Char)[] sep; /** `_trailing` contains the rest of the format string. */ const(Char)[] trailing; /* This string is inserted before each sequence (e.g. array) formatted (by default `"["`). */ enum immutable(Char)[] seqBefore = "["; /* This string is inserted after each sequence formatted (by default `"]"`). */ enum immutable(Char)[] seqAfter = "]"; /* This string is inserted after each element keys of a sequence (by default `":"`). */ enum immutable(Char)[] keySeparator = ":"; /* This string is inserted in between elements of a sequence (by default $(D ", ")). */ enum immutable(Char)[] seqSeparator = ", "; /** Construct a new `FormatSpec` using the format string `fmt`, no processing is done until needed. */ this(in Char[] fmt) @safe pure { trailing = fmt; } bool writeUpToNextSpec(OutputRange)(ref OutputRange writer) { if (trailing.empty) return false; for (size_t i = 0; i < trailing.length; ++i) { if (trailing[i] != '%') continue; put(writer, trailing[0 .. i]); trailing = trailing[i .. $]; enforceFmt(trailing.length >= 2, `Unterminated format specifier: "%"`); trailing = trailing[1 .. $]; if (trailing[0] != '%') { // Spec found. Fill up the spec, and bailout fillUp(); return true; } // Doubled! Reset and Keep going i = 0; } // no format spec found put(writer, trailing); trailing = null; return false; } @safe unittest { import std.array; auto w = appender!(char[])(); auto f = FormatSpec("abc%sdef%sghi"); f.writeUpToNextSpec(w); assert(w.data == "abc", w.data); assert(f.trailing == "def%sghi", text(f.trailing)); f.writeUpToNextSpec(w); assert(w.data == "abcdef", w.data); assert(f.trailing == "ghi"); // test with embedded %%s f = FormatSpec("ab%%cd%%ef%sg%%h%sij"); w.clear(); f.writeUpToNextSpec(w); assert(w.data == "ab%cd%ef" && f.trailing == "g%%h%sij", w.data); f.writeUpToNextSpec(w); assert(w.data == "ab%cd%efg%h" && f.trailing == "ij"); // bug4775 f = FormatSpec("%%%s"); w.clear(); f.writeUpToNextSpec(w); assert(w.data == "%" && f.trailing == ""); f = FormatSpec("%%%%%s%%"); w.clear(); while (f.writeUpToNextSpec(w)) continue; assert(w.data == "%%%"); f = FormatSpec("a%%b%%c%"); w.clear(); assertThrown!FormatException(f.writeUpToNextSpec(w)); assert(w.data == "a%b%c" && f.trailing == "%"); } private void fillUp() { // Reset content if (__ctfe) { flDash = false; flZero = false; flSpace = false; flPlus = false; flHash = false; flSeparator = false; } else { allFlags = 0; } width = 0; precision = UNSPECIFIED; nested = null; // Parse the spec (we assume we're past '%' already) for (size_t i = 0; i < trailing.length; ) { switch (trailing[i]) { case '(': // Embedded format specifier. auto j = i + 1; // Get the matching balanced paren for (uint innerParens;;) { enforceFmt(j + 1 < trailing.length, text("Incorrect format specifier: %", trailing[i .. $])); if (trailing[j++] != '%') { // skip, we're waiting for %( and %) continue; } if (trailing[j] == '-') // for %-( { ++j; // skip enforceFmt(j < trailing.length, text("Incorrect format specifier: %", trailing[i .. $])); } if (trailing[j] == ')') { if (innerParens-- == 0) break; } else if (trailing[j] == '|') { if (innerParens == 0) break; } else if (trailing[j] == '(') { ++innerParens; } } if (trailing[j] == '|') { auto k = j; for (++j;;) { if (trailing[j++] != '%') continue; if (trailing[j] == '%') ++j; else if (trailing[j] == ')') break; else throw new FormatException( text("Incorrect format specifier: %", trailing[j .. $])); } nested = trailing[i + 1 .. k - 1]; sep = trailing[k + 1 .. j - 1]; } else { nested = trailing[i + 1 .. j - 1]; sep = null; // no separator } //this = FormatSpec(innerTrailingSpec); spec = '('; // We practically found the format specifier trailing = trailing[j + 1 .. $]; return; case '-': flDash = true; ++i; break; case '+': flPlus = true; ++i; break; case '#': flHash = true; ++i; break; case '0': flZero = true; ++i; break; case ' ': flSpace = true; ++i; break; case '*': if (isDigit(trailing[++i])) { // a '*' followed by digits and '$' is a // positional format trailing = trailing[1 .. $]; width = -parse!(typeof(width))(trailing); i = 0; enforceFmt(trailing[i++] == '$', "$ expected"); } else { // read result width = DYNAMIC; } break; case '1': .. case '9': auto tmp = trailing[i .. $]; const widthOrArgIndex = parse!uint(tmp); enforceFmt(tmp.length, text("Incorrect format specifier %", trailing[i .. $])); i = arrayPtrDiff(tmp, trailing); if (tmp.startsWith('$')) { // index of the form %n$ indexEnd = indexStart = to!ubyte(widthOrArgIndex); ++i; } else if (tmp.startsWith(':')) { // two indexes of the form %m:n$, or one index of the form %m:$ indexStart = to!ubyte(widthOrArgIndex); tmp = tmp[1 .. $]; if (tmp.startsWith('$')) { indexEnd = indexEnd.max; } else { indexEnd = parse!(typeof(indexEnd))(tmp); } i = arrayPtrDiff(tmp, trailing); enforceFmt(trailing[i++] == '$', "$ expected"); } else { // width width = to!int(widthOrArgIndex); } break; case ',': // Precision ++i; flSeparator = true; if (trailing[i] == '*') { ++i; // read result separators = DYNAMIC; } else if (isDigit(trailing[i])) { auto tmp = trailing[i .. $]; separators = parse!int(tmp); i = arrayPtrDiff(tmp, trailing); } else { // "," was specified, but nothing after it separators = 3; } if (trailing[i] == '?') { separatorCharPos = DYNAMIC; ++i; } break; case '.': // Precision if (trailing[++i] == '*') { if (isDigit(trailing[++i])) { // a '.*' followed by digits and '$' is a // positional precision trailing = trailing[i .. $]; i = 0; precision = -parse!int(trailing); enforceFmt(trailing[i++] == '$', "$ expected"); } else { // read result precision = DYNAMIC; } } else if (trailing[i] == '-') { // negative precision, as good as 0 precision = 0; auto tmp = trailing[i .. $]; parse!int(tmp); // skip digits i = arrayPtrDiff(tmp, trailing); } else if (isDigit(trailing[i])) { auto tmp = trailing[i .. $]; precision = parse!int(tmp); i = arrayPtrDiff(tmp, trailing); } else { // "." was specified, but nothing after it precision = 0; } break; default: // this is the format char spec = cast(char) trailing[i++]; trailing = trailing[i .. $]; return; } // end switch } // end for throw new FormatException(text("Incorrect format specifier: ", trailing)); } //-------------------------------------------------------------------------- private bool readUpToNextSpec(R)(ref R r) { import std.ascii : isLower, isWhite; import std.utf : stride; // Reset content if (__ctfe) { flDash = false; flZero = false; flSpace = false; flPlus = false; flHash = false; flSeparator = false; } else { allFlags = 0; } width = 0; precision = UNSPECIFIED; nested = null; // Parse the spec while (trailing.length) { const c = trailing[0]; if (c == '%' && trailing.length > 1) { const c2 = trailing[1]; if (c2 == '%') { assert(!r.empty); // Require a '%' if (r.front != '%') break; trailing = trailing[2 .. $]; r.popFront(); } else { enforceFmt(isLower(c2) || c2 == '*' || c2 == '(', text("'%", c2, "' not supported with formatted read")); trailing = trailing[1 .. $]; fillUp(); return true; } } else { if (c == ' ') { while (!r.empty && isWhite(r.front)) r.popFront(); //r = std.algorithm.find!(not!(isWhite))(r); } else { enforceFmt(!r.empty, text("parseToFormatSpec: Cannot find character '", c, "' in the input string.")); if (r.front != trailing.front) break; r.popFront(); } trailing = trailing[stride(trailing, 0) .. $]; } } return false; } private string getCurFmtStr() const { import std.array : appender; auto w = appender!string(); auto f = FormatSpec!Char("%s"); // for stringnize put(w, '%'); if (indexStart != 0) { formatValue(w, indexStart, f); put(w, '$'); } if (flDash) put(w, '-'); if (flZero) put(w, '0'); if (flSpace) put(w, ' '); if (flPlus) put(w, '+'); if (flHash) put(w, '#'); if (flSeparator) put(w, ','); if (width != 0) formatValue(w, width, f); if (precision != FormatSpec!Char.UNSPECIFIED) { put(w, '.'); formatValue(w, precision, f); } put(w, spec); return w.data; } @safe unittest { // issue 5237 import std.array; auto w = appender!string(); auto f = FormatSpec!char("%.16f"); f.writeUpToNextSpec(w); // dummy eating assert(f.spec == 'f'); auto fmt = f.getCurFmtStr(); assert(fmt == "%.16f"); } private const(Char)[] headUpToNextSpec() { import std.array : appender; auto w = appender!(typeof(return))(); auto tr = trailing; while (tr.length) { if (tr[0] == '%') { if (tr.length > 1 && tr[1] == '%') { tr = tr[2 .. $]; w.put('%'); } else break; } else { w.put(tr.front); tr.popFront(); } } return w.data; } /** * Gives a string containing all of the member variables on their own * line. * * Params: * writer = A `char` accepting * $(REF_ALTTEXT output range, isOutputRange, std, range, primitives) * Returns: * A `string` when not using an output range; `void` otherwise. */ string toString() const @safe pure { import std.array : appender; auto app = appender!string(); app.reserve(200 + trailing.length); toString(app); return app.data; } /// ditto void toString(OutputRange)(ref OutputRange writer) const if (isOutputRange!(OutputRange, char)) { auto s = singleSpec("%s"); put(writer, "address = "); formatValue(writer, &this, s); put(writer, "\nwidth = "); formatValue(writer, width, s); put(writer, "\nprecision = "); formatValue(writer, precision, s); put(writer, "\nspec = "); formatValue(writer, spec, s); put(writer, "\nindexStart = "); formatValue(writer, indexStart, s); put(writer, "\nindexEnd = "); formatValue(writer, indexEnd, s); put(writer, "\nflDash = "); formatValue(writer, flDash, s); put(writer, "\nflZero = "); formatValue(writer, flZero, s); put(writer, "\nflSpace = "); formatValue(writer, flSpace, s); put(writer, "\nflPlus = "); formatValue(writer, flPlus, s); put(writer, "\nflHash = "); formatValue(writer, flHash, s); put(writer, "\nflSeparator = "); formatValue(writer, flSeparator, s); put(writer, "\nnested = "); formatValue(writer, nested, s); put(writer, "\ntrailing = "); formatValue(writer, trailing, s); put(writer, '\n'); } } /// @safe pure unittest { import std.array; auto a = appender!(string)(); auto fmt = "Number: %2.4e\nString: %s"; auto f = FormatSpec!char(fmt); f.writeUpToNextSpec(a); assert(a.data == "Number: "); assert(f.trailing == "\nString: %s"); assert(f.spec == 'e'); assert(f.width == 2); assert(f.precision == 4); f.writeUpToNextSpec(a); assert(a.data == "Number: \nString: "); assert(f.trailing == ""); assert(f.spec == 's'); } // Issue 14059 @safe unittest { import std.array : appender; auto a = appender!(string)(); auto f = FormatSpec!char("%-(%s%"); // %)") assertThrown!FormatException(f.writeUpToNextSpec(a)); f = FormatSpec!char("%(%-"); // %)") assertThrown!FormatException(f.writeUpToNextSpec(a)); } @safe unittest { import std.array : appender; auto a = appender!(string)(); auto f = FormatSpec!char("%,d"); f.writeUpToNextSpec(a); assert(f.spec == 'd', format("%s", f.spec)); assert(f.precision == FormatSpec!char.UNSPECIFIED); assert(f.separators == 3); f = FormatSpec!char("%5,10f"); f.writeUpToNextSpec(a); assert(f.spec == 'f', format("%s", f.spec)); assert(f.separators == 10); assert(f.width == 5); f = FormatSpec!char("%5,10.4f"); f.writeUpToNextSpec(a); assert(f.spec == 'f', format("%s", f.spec)); assert(f.separators == 10); assert(f.width == 5); assert(f.precision == 4); } @safe pure unittest { import std.algorithm.searching : canFind, findSplitBefore; auto expected = "width = 2" ~ "\nprecision = 5" ~ "\nspec = f" ~ "\nindexStart = 0" ~ "\nindexEnd = 0" ~ "\nflDash = false" ~ "\nflZero = false" ~ "\nflSpace = false" ~ "\nflPlus = false" ~ "\nflHash = false" ~ "\nflSeparator = false" ~ "\nnested = " ~ "\ntrailing = \n"; auto spec = singleSpec("%2.5f"); auto res = spec.toString(); // make sure the address exists, then skip it assert(res.canFind("address")); assert(res.findSplitBefore("width")[1] == expected); } /** Helper function that returns a `FormatSpec` for a single specifier given in `fmt`. Params: fmt = A format specifier. Returns: A `FormatSpec` with the specifier parsed. Throws: A `FormatException` when more than one specifier is given or the specifier is malformed. */ FormatSpec!Char singleSpec(Char)(Char[] fmt) { import std.conv : text; enforceFmt(fmt.length >= 2, "fmt must be at least 2 characters long"); enforceFmt(fmt.front == '%', "fmt must start with a '%' character"); static struct DummyOutputRange { void put(C)(scope const C[] buf) {} // eat elements } auto a = DummyOutputRange(); auto spec = FormatSpec!Char(fmt); //dummy write spec.writeUpToNextSpec(a); enforceFmt(spec.trailing.empty, text("Trailing characters in fmt string: '", spec.trailing)); return spec; } /// @safe pure unittest { import std.exception : assertThrown; auto spec = singleSpec("%2.3e"); assert(spec.trailing == ""); assert(spec.spec == 'e'); assert(spec.width == 2); assert(spec.precision == 3); assertThrown!FormatException(singleSpec("")); assertThrown!FormatException(singleSpec("2.3e")); assertThrown!FormatException(singleSpec("%2.3eTest")); } /** * Formats any value into `Char` accepting `OutputRange`, using the given `FormatSpec`. * * Aggregates: * `struct`, `union`, `class`, and `interface` are formatted by calling `toString`. * * `toString` should have one of the following signatures: * * --- * void toString(W)(ref W w, const ref FormatSpec fmt) * void toString(W)(ref W w) * string toString(); * --- * * Where `W` is an $(REF_ALTTEXT output range, isOutputRange, std,range,primitives) * which accepts characters. The template type does not have to be called `W`. * * The following overloads are also accepted for legacy reasons or for use in virtual * functions. It's recommended that any new code forgo these overloads if possible for * speed and attribute acceptance reasons. * * --- * void toString(scope void delegate(const(char)[]) sink, const ref FormatSpec fmt); * void toString(scope void delegate(const(char)[]) sink, string fmt); * void toString(scope void delegate(const(char)[]) sink); * --- * * For the class objects which have input range interface, * $(UL * $(LI If the instance `toString` has overridden `Object.toString`, it is used.) * $(LI Otherwise, the objects are formatted as input range.) * ) * * For the `struct` and `union` objects which does not have `toString`, * $(UL * $(LI If they have range interface, formatted as input range.) * $(LI Otherwise, they are formatted like `Type(field1, filed2, ...)`.) * ) * * Otherwise, are formatted just as their type name. * * Params: * w = The $(REF_ALTTEXT output range, isOutputRange, std,range,primitives) to write to. * val = The value to write. * f = The $(REF FormatSpec, std, format) defining how to write the value. */ void formatValue(Writer, T, Char)(auto ref Writer w, auto ref T val, const ref FormatSpec!Char f) { formatValueImpl(w, val, f); } /++ The following code compares the use of `formatValue` and `formattedWrite`. +/ @safe pure unittest { import std.array : appender; auto writer1 = appender!string(); writer1.formattedWrite("%08b", 42); auto writer2 = appender!string(); auto f = singleSpec("%08b"); writer2.formatValue(42, f); assert(writer1.data == writer2.data && writer1.data == "00101010"); } /** * `bool`s are formatted as `"true"` or `"false"` with `%s` and as `1` or * `0` with integral-specific format specs. */ @safe pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); formatValue(w, true, spec); assert(w.data == "true"); } /// `null` literal is formatted as `"null"`. @safe pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); formatValue(w, null, spec); assert(w.data == "null"); } /// Integrals are formatted like $(REF printf, core, stdc, stdio). @safe pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%d"); formatValue(w, 1337, spec); assert(w.data == "1337"); } /// Floating-point values are formatted like $(REF printf, core, stdc, stdio) @safe unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%.1f"); formatValue(w, 1337.7, spec); assert(w.data == "1337.7"); } /** * Individual characters (`char, `wchar`, or `dchar`) are formatted as * Unicode characters with `%s` and as integers with integral-specific format * specs. */ @safe pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%c"); formatValue(w, 'a', spec); assert(w.data == "a"); } /// Strings are formatted like $(REF printf, core, stdc, stdio) @safe pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); formatValue(w, "hello", spec); assert(w.data == "hello"); } /// Static-size arrays are formatted as dynamic arrays. @safe pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); char[2] two = ['a', 'b']; formatValue(w, two, spec); assert(w.data == "ab"); } /** * Dynamic arrays are formatted as input ranges. * * Specializations: * $(UL * $(LI `void[]` is formatted like `ubyte[]`.) * $(LI Const array is converted to input range by removing its qualifier.) * ) */ @safe pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); auto two = [1, 2]; formatValue(w, two, spec); assert(w.data == "[1, 2]"); } /** * Associative arrays are formatted by using `':'` and `", "` as * separators, and enclosed by `'['` and `']'`. */ @safe pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); auto aa = ["H":"W"]; formatValue(w, aa, spec); assert(w.data == "[\"H\":\"W\"]", w.data); } /// `enum`s are formatted like their base value @safe pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); enum A { first, second, third } formatValue(w, A.second, spec); assert(w.data == "second"); } /** * Formatting a struct by defining a method `toString`, which takes an output * range. * * It's recommended that any `toString` using $(REF_ALTTEXT output ranges, isOutputRange, std,range,primitives) * use $(REF put, std,range,primitives) rather than use the `put` method of the range * directly. */ @safe unittest { import std.array : appender; import std.range.primitives; static struct Point { int x, y; void toString(W)(ref W writer, const ref FormatSpec!char f) if (isOutputRange!(W, char)) { // std.range.primitives.put put(writer, "("); formatValue(writer, x, f); put(writer, ","); formatValue(writer, y, f); put(writer, ")"); } } auto w = appender!string(); auto spec = singleSpec("%s"); auto p = Point(16, 11); formatValue(w, p, spec); assert(w.data == "(16,11)"); } /** * Another example of formatting a `struct` with a defined `toString`, * this time using the `scope delegate` method. * * $(RED This method is now discouraged for non-virtual functions). * If possible, please use the output range method instead. */ @safe unittest { static struct Point { int x, y; void toString(scope void delegate(scope const(char)[]) @safe sink, FormatSpec!char fmt) const { sink("("); sink.formatValue(x, fmt); sink(","); sink.formatValue(y, fmt); sink(")"); } } auto p = Point(16,11); assert(format("%03d", p) == "(016,011)"); assert(format("%02x", p) == "(10,0b)"); } /// Pointers are formatted as hex integers. @system pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); auto q = cast(void*) 0xFFEECCAA; formatValue(w, q, spec); assert(w.data == "FFEECCAA"); } /// SIMD vectors are formatted as arrays. @safe unittest { import core.simd; import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); static if (is(float4)) { version (X86) {} else { float4 f4; f4.array[0] = 1; f4.array[1] = 2; f4.array[2] = 3; f4.array[3] = 4; formatValue(w, f4, spec); assert(w.data == "[1, 2, 3, 4]"); } } } /// Delegates are formatted by `ReturnType delegate(Parameters) FunctionAttributes` @safe unittest { import std.conv : to; int i; int foo(short k) @nogc { return i + k; } @system int delegate(short) @nogc bar() nothrow pure { int* p = new int(1); i = *p; return &foo; } assert(to!string(&bar) == "int delegate(short) @nogc delegate() pure nothrow @system"); assert(() @trusted { return bar()(3); }() == 4); } /* `bool`s are formatted as `"true"` or `"false"` with `%s` and as `1` or `0` with integral-specific format specs. */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T obj, const ref FormatSpec!Char f) if (is(BooleanTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { BooleanTypeOf!T val = obj; if (f.spec == 's') { string s = val ? "true" : "false"; if (!f.flDash) { // right align if (f.width > s.length) foreach (i ; 0 .. f.width - s.length) put(w, ' '); put(w, s); } else { // left align put(w, s); if (f.width > s.length) foreach (i ; 0 .. f.width - s.length) put(w, ' '); } } else formatValueImpl(w, cast(int) val, f); } @safe pure unittest { assertCTFEable!( { formatTest( false, "false" ); formatTest( true, "true" ); }); } @system unittest { class C1 { bool val; alias val this; this(bool v){ val = v; } } class C2 { bool val; alias val this; this(bool v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(false), "false" ); formatTest( new C1(true), "true" ); formatTest( new C2(false), "C" ); formatTest( new C2(true), "C" ); struct S1 { bool val; alias val this; } struct S2 { bool val; alias val this; string toString() const { return "S"; } } formatTest( S1(false), "false" ); formatTest( S1(true), "true" ); formatTest( S2(false), "S" ); formatTest( S2(true), "S" ); } @safe pure unittest { string t1 = format("[%6s] [%6s] [%-6s]", true, false, true); assert(t1 == "[ true] [ false] [true ]"); string t2 = format("[%3s] [%-2s]", true, false); assert(t2 == "[true] [false]"); } /* `null` literal is formatted as `"null"` */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T obj, const ref FormatSpec!Char f) if (is(Unqual!T == typeof(null)) && !is(T == enum) && !hasToString!(T, Char)) { enforceFmt(f.spec == 's', "null literal cannot match %" ~ f.spec); put(w, "null"); } @safe pure unittest { assert(collectExceptionMsg!FormatException(format("%p", null)).back == 'p'); assertCTFEable!( { formatTest( null, "null" ); }); } /* Integrals are formatted like $(REF printf, core, stdc, stdio). */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T obj, const ref FormatSpec!Char f) if (is(IntegralTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { alias U = IntegralTypeOf!T; U val = obj; // Extracting alias this may be impure/system/may-throw if (f.spec == 'r') { // raw write, skip all else and write the thing auto raw = (ref val)@trusted{ return (cast(const char*) &val)[0 .. val.sizeof]; }(val); if (needToSwapEndianess(f)) { foreach_reverse (c; raw) put(w, c); } else { foreach (c; raw) put(w, c); } return; } immutable uint base = f.spec == 'x' || f.spec == 'X' ? 16 : f.spec == 'o' ? 8 : f.spec == 'b' ? 2 : f.spec == 's' || f.spec == 'd' || f.spec == 'u' ? 10 : 0; enforceFmt(base > 0, "incompatible format character for integral argument: %" ~ f.spec); // Forward on to formatIntegral to handle both U and const(U) // Saves duplication of code for both versions. static if (is(ucent) && (is(U == cent) || is(U == ucent))) alias C = U; else static if (isSigned!U) alias C = long; else alias C = ulong; formatIntegral(w, cast(C) val, f, base, Unsigned!U.max); } private void formatIntegral(Writer, T, Char)(ref Writer w, const(T) val, const ref FormatSpec!Char fs, uint base, ulong mask) { T arg = val; immutable negative = (base == 10 && arg < 0); if (negative) { arg = -arg; } // All unsigned integral types should fit in ulong. static if (is(ucent) && is(typeof(arg) == ucent)) formatUnsigned(w, (cast(ucent) arg) & mask, fs, base, negative); else formatUnsigned(w, (cast(ulong) arg) & mask, fs, base, negative); } private void formatUnsigned(Writer, T, Char) (ref Writer w, T arg, const ref FormatSpec!Char fs, uint base, bool negative) { /* Write string: * leftpad prefix1 prefix2 zerofill digits rightpad */ /* Convert arg to digits[]. * Note that 0 becomes an empty digits[] */ char[64] buffer = void; // 64 bits in base 2 at most char[] digits; if (arg < base && base <= 10 && arg) { // Most numbers are a single digit - avoid expensive divide buffer[0] = cast(char)(arg + '0'); digits = buffer[0 .. 1]; } else { size_t i = buffer.length; while (arg) { --i; char c = cast(char) (arg % base); arg /= base; if (c < 10) buffer[i] = cast(char)(c + '0'); else buffer[i] = cast(char)(c + (fs.spec == 'x' ? 'a' - 10 : 'A' - 10)); } digits = buffer[i .. $]; // got the digits without the sign } immutable precision = (fs.precision == fs.UNSPECIFIED) ? 1 : fs.precision; char padChar = 0; if (!fs.flDash) { padChar = (fs.flZero && fs.precision == fs.UNSPECIFIED) ? '0' : ' '; } // Compute prefix1 and prefix2 char prefix1 = 0; char prefix2 = 0; if (base == 10) { if (negative) prefix1 = '-'; else if (fs.flPlus) prefix1 = '+'; else if (fs.flSpace) prefix1 = ' '; } else if (base == 16 && fs.flHash && digits.length) { prefix1 = '0'; prefix2 = fs.spec == 'x' ? 'x' : 'X'; } // adjust precision to print a '0' for octal if alternate format is on else if (base == 8 && fs.flHash && (precision <= 1 || precision <= digits.length) && // too low precision digits.length > 0) prefix1 = '0'; size_t zerofill = precision > digits.length ? precision - digits.length : 0; size_t leftpad = 0; size_t rightpad = 0; immutable size_t dlen = digits.length == 0 ? 0 : digits.length - 1; immutable ptrdiff_t spacesToPrint = fs.width - ( (prefix1 != 0) + (prefix2 != 0) + zerofill + digits.length + ((fs.flSeparator != 0) * (dlen / fs.separators)) ); if (spacesToPrint > 0) // need to do some padding { if (padChar == '0') zerofill += spacesToPrint; else if (padChar) leftpad = spacesToPrint; else rightpad = spacesToPrint; } // Print foreach (i ; 0 .. leftpad) put(w, ' '); if (prefix1) put(w, prefix1); if (prefix2) put(w, prefix2); if (fs.flSeparator) { if (zerofill > 0) { put(w, '0'); --zerofill; } int j = fs.width; for (size_t i = 0; i < zerofill; ++i, --j) { if (j != fs.width && j % fs.separators == 0) { put(w, fs.separatorChar); ++i; } if (i < zerofill) { put(w, '0'); } } } else { foreach (i ; 0 .. zerofill) put(w, '0'); } if (fs.flSeparator) { for (size_t j = 0; j < digits.length; ++j) { if (j != 0 && (digits.length - j) % fs.separators == 0) { put(w, fs.separatorChar); } put(w, digits[j]); } } else { put(w, digits); } foreach (i ; 0 .. rightpad) put(w, ' '); } @safe pure unittest // bugzilla 18838 { assert("%12,d".format(0) == " 0"); } @safe pure unittest { assert(collectExceptionMsg!FormatException(format("%c", 5)).back == 'c'); assertCTFEable!( { formatTest(9, "9"); formatTest( 10, "10" ); }); } @system unittest { class C1 { long val; alias val this; this(long v){ val = v; } } class C2 { long val; alias val this; this(long v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(10), "10" ); formatTest( new C2(10), "C" ); struct S1 { long val; alias val this; } struct S2 { long val; alias val this; string toString() const { return "S"; } } formatTest( S1(10), "10" ); formatTest( S2(10), "S" ); } // bugzilla 9117 @safe unittest { static struct Frop {} static struct Foo { int n = 0; alias n this; T opCast(T) () if (is(T == Frop)) { return Frop(); } string toString() { return "Foo"; } } static struct Bar { Foo foo; alias foo this; string toString() { return "Bar"; } } const(char)[] result; void put(scope const char[] s){ result ~= s; } Foo foo; formattedWrite(&put, "%s", foo); // OK assert(result == "Foo"); result = null; Bar bar; formattedWrite(&put, "%s", bar); // NG assert(result == "Bar"); result = null; int i = 9; formattedWrite(&put, "%s", 9); assert(result == "9"); } private enum ctfpMessage = "Cannot format floating point types at compile-time"; /* Floating-point values are formatted like $(REF printf, core, stdc, stdio) */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T obj, const ref FormatSpec!Char f) if (is(FloatingPointTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { import std.algorithm.comparison : min; import std.algorithm.searching : find; import std.string : indexOf, indexOfAny, indexOfNeither; FormatSpec!Char fs = f; // fs is copy for change its values. FloatingPointTypeOf!T val = obj; if (fs.spec == 'r') { // raw write, skip all else and write the thing auto raw = (ref val)@trusted{ return (cast(const char*) &val)[0 .. val.sizeof]; }(val); if (needToSwapEndianess(f)) { foreach_reverse (c; raw) put(w, c); } else { foreach (c; raw) put(w, c); } return; } enforceFmt(find("fgFGaAeEs", fs.spec).length, "incompatible format character for floating point argument: %" ~ fs.spec); enforceFmt(!__ctfe, ctfpMessage); version (CRuntime_Microsoft) { import std.math : isNaN, isInfinity; immutable double tval = val; // convert early to get "inf" in case of overflow string s; if (isNaN(tval)) s = "nan"; // snprintf writes 1.#QNAN else if (isInfinity(tval)) s = val >= 0 ? "inf" : "-inf"; // snprintf writes 1.#INF if (s.length > 0) { version (none) { return formatValueImpl(w, s, f); } else // FIXME:workaround { s = s[0 .. f.precision < $ ? f.precision : $]; if (!f.flDash) { // right align if (f.width > s.length) foreach (j ; 0 .. f.width - s.length) put(w, ' '); put(w, s); } else { // left align put(w, s); if (f.width > s.length) foreach (j ; 0 .. f.width - s.length) put(w, ' '); } return; } } } else alias tval = val; if (fs.spec == 's') fs.spec = 'g'; char[1 /*%*/ + 5 /*flags*/ + 3 /*width.prec*/ + 2 /*format*/ + 1 /*\0*/] sprintfSpec = void; sprintfSpec[0] = '%'; uint i = 1; if (fs.flDash) sprintfSpec[i++] = '-'; if (fs.flPlus) sprintfSpec[i++] = '+'; if (fs.flZero) sprintfSpec[i++] = '0'; if (fs.flSpace) sprintfSpec[i++] = ' '; if (fs.flHash) sprintfSpec[i++] = '#'; sprintfSpec[i .. i + 3] = "*.*"; i += 3; if (is(Unqual!(typeof(val)) == real)) sprintfSpec[i++] = 'L'; sprintfSpec[i++] = fs.spec; sprintfSpec[i] = 0; //printf("format: '%s'; geeba: %g\n", sprintfSpec.ptr, val); char[512] buf = void; immutable n = ()@trusted{ import core.stdc.stdio : snprintf; return snprintf(buf.ptr, buf.length, sprintfSpec.ptr, fs.width, // negative precision is same as no precision specified fs.precision == fs.UNSPECIFIED ? -1 : fs.precision, tval); }(); enforceFmt(n >= 0, "floating point formatting failure"); auto len = min(n, buf.length-1); ptrdiff_t dot = buf[0 .. len].indexOf('.'); if (fs.flSeparator) { ptrdiff_t firstDigit = buf[0 .. len].indexOfAny("0123456789"); ptrdiff_t ePos = buf[0 .. len].indexOf('e'); auto dotIdx = dot == -1 ? ePos == -1 ? len : ePos : dot; size_t j; ptrdiff_t firstLen = dotIdx - firstDigit; size_t separatorScoreCnt = firstLen / fs.separators; size_t afterDotIdx; if (ePos != -1) { afterDotIdx = ePos; } else { afterDotIdx = len; } if (dot != -1) { ptrdiff_t mantissaLen = afterDotIdx - (dot + 1); separatorScoreCnt += (mantissaLen > 0) ? (mantissaLen - 1) / fs.separators : 0; } // plus, minus prefix ptrdiff_t digitsBegin = buf[0 .. separatorScoreCnt].indexOfNeither(" "); if (digitsBegin == -1) { digitsBegin = separatorScoreCnt; } put(w, buf[digitsBegin .. firstDigit]); // digits until dot with separator for (j = 0; j < firstLen; ++j) { if (j > 0 && (firstLen - j) % fs.separators == 0) { put(w, fs.separatorChar); } put(w, buf[j + firstDigit]); } // print dot for decimal numbers only or with '#' format specifier if (dot != -1 || fs.flHash) { put(w, '.'); } // digits after dot for (j = dotIdx + 1; j < afterDotIdx; ++j) { auto realJ = (j - (dotIdx + 1)); if (realJ != 0 && realJ % fs.separators == 0) { put(w, fs.separatorChar); } put(w, buf[j]); } // rest if (ePos != -1) { put(w, buf[afterDotIdx .. len]); } } else { put(w, buf[0 .. len]); } } @safe unittest { assert(format("%.1f", 1337.7) == "1337.7"); assert(format("%,3.2f", 1331.982) == "1,331.98"); assert(format("%,3.0f", 1303.1982) == "1,303"); assert(format("%#,3.4f", 1303.1982) == "1,303.198,2"); assert(format("%#,3.0f", 1303.1982) == "1,303."); } @safe /*pure*/ unittest // formatting floating point values is now impure { import std.conv : to; assert(collectExceptionMsg!FormatException(format("%d", 5.1)).back == 'd'); static foreach (T; AliasSeq!(float, double, real)) { formatTest( to!( T)(5.5), "5.5" ); formatTest( to!( const T)(5.5), "5.5" ); formatTest( to!(immutable T)(5.5), "5.5" ); formatTest( T.nan, "nan" ); } } @system unittest { formatTest( 2.25, "2.25" ); class C1 { double val; alias val this; this(double v){ val = v; } } class C2 { double val; alias val this; this(double v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(2.25), "2.25" ); formatTest( new C2(2.25), "C" ); struct S1 { double val; alias val this; } struct S2 { double val; alias val this; string toString() const { return "S"; } } formatTest( S1(2.25), "2.25" ); formatTest( S2(2.25), "S" ); } /* Formatting a `creal` is deprecated but still kept around for a while. */ deprecated("Use of complex types is deprecated. Use std.complex") private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T obj, const ref FormatSpec!Char f) if (is(Unqual!T : creal) && !is(T == enum) && !hasToString!(T, Char)) { immutable creal val = obj; formatValueImpl(w, val.re, f); if (val.im >= 0) { put(w, '+'); } formatValueImpl(w, val.im, f); put(w, 'i'); } version (TestComplex) deprecated @safe /*pure*/ unittest // formatting floating point values is now impure { import std.conv : to; static foreach (T; AliasSeq!(cfloat, cdouble, creal)) { formatTest( to!( T)(1 + 1i), "1+1i" ); formatTest( to!( const T)(1 + 1i), "1+1i" ); formatTest( to!(immutable T)(1 + 1i), "1+1i" ); } static foreach (T; AliasSeq!(cfloat, cdouble, creal)) { formatTest( to!( T)(0 - 3i), "0-3i" ); formatTest( to!( const T)(0 - 3i), "0-3i" ); formatTest( to!(immutable T)(0 - 3i), "0-3i" ); } } version (TestComplex) deprecated @system unittest { formatTest( 3+2.25i, "3+2.25i" ); class C1 { cdouble val; alias val this; this(cdouble v){ val = v; } } class C2 { cdouble val; alias val this; this(cdouble v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(3+2.25i), "3+2.25i" ); formatTest( new C2(3+2.25i), "C" ); struct S1 { cdouble val; alias val this; } struct S2 { cdouble val; alias val this; string toString() const { return "S"; } } formatTest( S1(3+2.25i), "3+2.25i" ); formatTest( S2(3+2.25i), "S" ); } /* Formatting an `ireal` is deprecated but still kept around for a while. */ deprecated("Use of imaginary types is deprecated. Use std.complex") private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T obj, const ref FormatSpec!Char f) if (is(Unqual!T : ireal) && !is(T == enum) && !hasToString!(T, Char)) { immutable ireal val = obj; formatValueImpl(w, val.im, f); put(w, 'i'); } version (TestComplex) deprecated @safe /*pure*/ unittest // formatting floating point values is now impure { import std.conv : to; static foreach (T; AliasSeq!(ifloat, idouble, ireal)) { formatTest( to!( T)(1i), "1i" ); formatTest( to!( const T)(1i), "1i" ); formatTest( to!(immutable T)(1i), "1i" ); } } version (TestComplex) deprecated @system unittest { formatTest( 2.25i, "2.25i" ); class C1 { idouble val; alias val this; this(idouble v){ val = v; } } class C2 { idouble val; alias val this; this(idouble v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(2.25i), "2.25i" ); formatTest( new C2(2.25i), "C" ); struct S1 { idouble val; alias val this; } struct S2 { idouble val; alias val this; string toString() const { return "S"; } } formatTest( S1(2.25i), "2.25i" ); formatTest( S2(2.25i), "S" ); } /* Individual characters are formatted as Unicode characters with `%s` and as integers with integral-specific format specs */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T obj, const ref FormatSpec!Char f) if (is(CharTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { CharTypeOf!T val = obj; if (f.spec == 's' || f.spec == 'c') { put(w, val); } else { alias U = AliasSeq!(ubyte, ushort, uint)[CharTypeOf!T.sizeof/2]; formatValueImpl(w, cast(U) val, f); } } @safe pure unittest { assertCTFEable!( { formatTest( 'c', "c" ); }); } @system unittest { class C1 { char val; alias val this; this(char v){ val = v; } } class C2 { char val; alias val this; this(char v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1('c'), "c" ); formatTest( new C2('c'), "C" ); struct S1 { char val; alias val this; } struct S2 { char val; alias val this; string toString() const { return "S"; } } formatTest( S1('c'), "c" ); formatTest( S2('c'), "S" ); } @safe unittest { //Little Endian formatTest( "%-r", cast( char)'c', ['c' ] ); formatTest( "%-r", cast(wchar)'c', ['c', 0 ] ); formatTest( "%-r", cast(dchar)'c', ['c', 0, 0, 0] ); formatTest( "%-r", '本', ['\x2c', '\x67'] ); //Big Endian formatTest( "%+r", cast( char)'c', [ 'c'] ); formatTest( "%+r", cast(wchar)'c', [0, 'c'] ); formatTest( "%+r", cast(dchar)'c', [0, 0, 0, 'c'] ); formatTest( "%+r", '本', ['\x67', '\x2c'] ); } /* Strings are formatted like $(REF printf, core, stdc, stdio) */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T obj, const ref FormatSpec!Char f) if (is(StringTypeOf!T) && !is(StaticArrayTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { Unqual!(StringTypeOf!T) val = obj; // for `alias this`, see bug5371 formatRange(w, val, f); } @safe unittest { formatTest( "abc", "abc" ); } @system unittest { // Test for bug 5371 for classes class C1 { const string var; alias var this; this(string s){ var = s; } } class C2 { string var; alias var this; this(string s){ var = s; } } formatTest( new C1("c1"), "c1" ); formatTest( new C2("c2"), "c2" ); // Test for bug 5371 for structs struct S1 { const string var; alias var this; } struct S2 { string var; alias var this; } formatTest( S1("s1"), "s1" ); formatTest( S2("s2"), "s2" ); } @system unittest { class C3 { string val; alias val this; this(string s){ val = s; } override string toString() const { return "C"; } } formatTest( new C3("c3"), "C" ); struct S3 { string val; alias val this; string toString() const { return "S"; } } formatTest( S3("s3"), "S" ); } @safe pure unittest { //Little Endian formatTest( "%-r", "ab"c, ['a' , 'b' ] ); formatTest( "%-r", "ab"w, ['a', 0 , 'b', 0 ] ); formatTest( "%-r", "ab"d, ['a', 0, 0, 0, 'b', 0, 0, 0] ); formatTest( "%-r", "日本語"c, ['\xe6', '\x97', '\xa5', '\xe6', '\x9c', '\xac', '\xe8', '\xaa', '\x9e'] ); formatTest( "%-r", "日本語"w, ['\xe5', '\x65', '\x2c', '\x67', '\x9e', '\x8a']); formatTest( "%-r", "日本語"d, ['\xe5', '\x65', '\x00', '\x00', '\x2c', '\x67', '\x00', '\x00', '\x9e', '\x8a', '\x00', '\x00'] ); //Big Endian formatTest( "%+r", "ab"c, [ 'a', 'b'] ); formatTest( "%+r", "ab"w, [ 0, 'a', 0, 'b'] ); formatTest( "%+r", "ab"d, [0, 0, 0, 'a', 0, 0, 0, 'b'] ); formatTest( "%+r", "日本語"c, ['\xe6', '\x97', '\xa5', '\xe6', '\x9c', '\xac', '\xe8', '\xaa', '\x9e'] ); formatTest( "%+r", "日本語"w, ['\x65', '\xe5', '\x67', '\x2c', '\x8a', '\x9e'] ); formatTest( "%+r", "日本語"d, ['\x00', '\x00', '\x65', '\xe5', '\x00', '\x00', '\x67', '\x2c', '\x00', '\x00', '\x8a', '\x9e'] ); } /* Static-size arrays are formatted as dynamic arrays. */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, auto ref T obj, const ref FormatSpec!Char f) if (is(StaticArrayTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { formatValueImpl(w, obj[], f); } @safe unittest // Test for issue 8310 { import std.array : appender; FormatSpec!char f; auto w = appender!string(); char[2] two = ['a', 'b']; formatValue(w, two, f); char[2] getTwo(){ return two; } formatValue(w, getTwo(), f); } /* Dynamic arrays are formatted as input ranges. */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T obj, const ref FormatSpec!Char f) if (is(DynamicArrayTypeOf!T) && !is(StringTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { static if (is(const(ArrayTypeOf!T) == const(void[]))) { formatValueImpl(w, cast(const ubyte[]) obj, f); } else static if (!isInputRange!T) { alias U = Unqual!(ArrayTypeOf!T); static assert(isInputRange!U); U val = obj; formatValueImpl(w, val, f); } else { formatRange(w, obj, f); } } // alias this, input range I/F, and toString() @system unittest { struct S(int flags) { int[] arr; static if (flags & 1) alias arr this; static if (flags & 2) { @property bool empty() const { return arr.length == 0; } @property int front() const { return arr[0] * 2; } void popFront() { arr = arr[1..$]; } } static if (flags & 4) string toString() const { return "S"; } } formatTest(S!0b000([0, 1, 2]), "S!0([0, 1, 2])"); formatTest(S!0b001([0, 1, 2]), "[0, 1, 2]"); // Test for bug 7628 formatTest(S!0b010([0, 1, 2]), "[0, 2, 4]"); formatTest(S!0b011([0, 1, 2]), "[0, 2, 4]"); formatTest(S!0b100([0, 1, 2]), "S"); formatTest(S!0b101([0, 1, 2]), "S"); // Test for bug 7628 formatTest(S!0b110([0, 1, 2]), "S"); formatTest(S!0b111([0, 1, 2]), "S"); class C(uint flags) { int[] arr; static if (flags & 1) alias arr this; this(int[] a) { arr = a; } static if (flags & 2) { @property bool empty() const { return arr.length == 0; } @property int front() const { return arr[0] * 2; } void popFront() { arr = arr[1..$]; } } static if (flags & 4) override string toString() const { return "C"; } } formatTest(new C!0b000([0, 1, 2]), (new C!0b000([])).toString()); formatTest(new C!0b001([0, 1, 2]), "[0, 1, 2]"); // Test for bug 7628 formatTest(new C!0b010([0, 1, 2]), "[0, 2, 4]"); formatTest(new C!0b011([0, 1, 2]), "[0, 2, 4]"); formatTest(new C!0b100([0, 1, 2]), "C"); formatTest(new C!0b101([0, 1, 2]), "C"); // Test for bug 7628 formatTest(new C!0b110([0, 1, 2]), "C"); formatTest(new C!0b111([0, 1, 2]), "C"); } @system unittest { // void[] void[] val0; formatTest( val0, "[]" ); void[] val = cast(void[]) cast(ubyte[])[1, 2, 3]; formatTest( val, "[1, 2, 3]" ); void[0] sval0 = []; formatTest( sval0, "[]"); void[3] sval = cast(void[3]) cast(ubyte[3])[1, 2, 3]; formatTest( sval, "[1, 2, 3]" ); } @safe unittest { // const(T[]) -> const(T)[] const short[] a = [1, 2, 3]; formatTest( a, "[1, 2, 3]" ); struct S { const(int[]) arr; alias arr this; } auto s = S([1,2,3]); formatTest( s, "[1, 2, 3]" ); } @safe unittest { // 6640 struct Range { @safe: string value; @property bool empty() const { return !value.length; } @property dchar front() const { return value.front; } void popFront() { value.popFront(); } @property size_t length() const { return value.length; } } immutable table = [ ["[%s]", "[string]"], ["[%10s]", "[ string]"], ["[%-10s]", "[string ]"], ["[%(%02x %)]", "[73 74 72 69 6e 67]"], ["[%(%c %)]", "[s t r i n g]"], ]; foreach (e; table) { formatTest(e[0], "string", e[1]); formatTest(e[0], Range("string"), e[1]); } } @system unittest { // string literal from valid UTF sequence is encoding free. static foreach (StrType; AliasSeq!(string, wstring, dstring)) { // Valid and printable (ASCII) formatTest( [cast(StrType)"hello"], `["hello"]` ); // 1 character escape sequences (' is not escaped in strings) formatTest( [cast(StrType)"\"'\0\\\a\b\f\n\r\t\v"], `["\"'\0\\\a\b\f\n\r\t\v"]` ); // 1 character optional escape sequences formatTest( [cast(StrType)"\'\?"], `["'?"]` ); // Valid and non-printable code point (<= U+FF) formatTest( [cast(StrType)"\x10\x1F\x20test"], `["\x10\x1F test"]` ); // Valid and non-printable code point (<= U+FFFF) formatTest( [cast(StrType)"\u200B..\u200F"], `["\u200B..\u200F"]` ); // Valid and non-printable code point (<= U+10FFFF) formatTest( [cast(StrType)"\U000E0020..\U000E007F"], `["\U000E0020..\U000E007F"]` ); } // invalid UTF sequence needs hex-string literal postfix (c/w/d) { // U+FFFF with UTF-8 (Invalid code point for interchange) formatTest( [cast(string)[0xEF, 0xBF, 0xBF]], `[x"EF BF BF"c]` ); // U+FFFF with UTF-16 (Invalid code point for interchange) formatTest( [cast(wstring)[0xFFFF]], `[x"FFFF"w]` ); // U+FFFF with UTF-32 (Invalid code point for interchange) formatTest( [cast(dstring)[0xFFFF]], `[x"FFFF"d]` ); } } @safe unittest { // nested range formatting with array of string formatTest( "%({%(%02x %)}%| %)", ["test", "msg"], `{74 65 73 74} {6d 73 67}` ); } @safe unittest { // stop auto escaping inside range formatting auto arr = ["hello", "world"]; formatTest( "%(%s, %)", arr, `"hello", "world"` ); formatTest( "%-(%s, %)", arr, `hello, world` ); auto aa1 = [1:"hello", 2:"world"]; formatTest( "%(%s:%s, %)", aa1, [`1:"hello", 2:"world"`, `2:"world", 1:"hello"`] ); formatTest( "%-(%s:%s, %)", aa1, [`1:hello, 2:world`, `2:world, 1:hello`] ); auto aa2 = [1:["ab", "cd"], 2:["ef", "gh"]]; formatTest( "%-(%s:%s, %)", aa2, [`1:["ab", "cd"], 2:["ef", "gh"]`, `2:["ef", "gh"], 1:["ab", "cd"]`] ); formatTest( "%-(%s:%(%s%), %)", aa2, [`1:"ab""cd", 2:"ef""gh"`, `2:"ef""gh", 1:"ab""cd"`] ); formatTest( "%-(%s:%-(%s%)%|, %)", aa2, [`1:abcd, 2:efgh`, `2:efgh, 1:abcd`] ); } // input range formatting private void formatRange(Writer, T, Char)(ref Writer w, ref T val, const ref FormatSpec!Char f) if (isInputRange!T) { import std.conv : text; // Formatting character ranges like string if (f.spec == 's') { alias E = ElementType!T; static if (!is(E == enum) && is(CharTypeOf!E)) { static if (is(StringTypeOf!T)) { auto s = val[0 .. f.precision < $ ? f.precision : $]; size_t width; if (f.width > 0) { // strings that are fully made of ASCII characters // can be aligned w/o graphemeStride bool onlyAscii = true; for (size_t i; i < s.length; i++) { if (s[i] > 0x7F) { onlyAscii = false; break; } } if (!onlyAscii) { //TODO: optimize this import std.uni : graphemeStride; for (size_t i; i < s.length; i += graphemeStride(s, i)) width++; } else width = s.length; } else width = s.length; if (!f.flDash) { // right align if (f.width > width) foreach (i ; 0 .. f.width - width) put(w, ' '); put(w, s); } else { // left align put(w, s); if (f.width > width) foreach (i ; 0 .. f.width - width) put(w, ' '); } } else { if (!f.flDash) { static if (hasLength!T) { // right align auto len = val.length; } else static if (isForwardRange!T && !isInfinite!T) { auto len = walkLength(val.save); } else { enforceFmt(f.width == 0, "Cannot right-align a range without length"); size_t len = 0; } if (f.precision != f.UNSPECIFIED && len > f.precision) len = f.precision; if (f.width > len) foreach (i ; 0 .. f.width - len) put(w, ' '); if (f.precision == f.UNSPECIFIED) put(w, val); else { size_t printed = 0; for (; !val.empty && printed < f.precision; val.popFront(), ++printed) put(w, val.front); } } else { size_t printed = void; // left align if (f.precision == f.UNSPECIFIED) { static if (hasLength!T) { printed = val.length; put(w, val); } else { printed = 0; for (; !val.empty; val.popFront(), ++printed) put(w, val.front); } } else { printed = 0; for (; !val.empty && printed < f.precision; val.popFront(), ++printed) put(w, val.front); } if (f.width > printed) foreach (i ; 0 .. f.width - printed) put(w, ' '); } } } else { put(w, f.seqBefore); if (!val.empty) { formatElement(w, val.front, f); val.popFront(); for (size_t i; !val.empty; val.popFront(), ++i) { put(w, f.seqSeparator); formatElement(w, val.front, f); } } static if (!isInfinite!T) put(w, f.seqAfter); } } else if (f.spec == 'r') { static if (is(DynamicArrayTypeOf!T)) { alias ARR = DynamicArrayTypeOf!T; foreach (e ; cast(ARR) val) { formatValue(w, e, f); } } else { for (size_t i; !val.empty; val.popFront(), ++i) { formatValue(w, val.front, f); } } } else if (f.spec == '(') { if (val.empty) return; // Nested specifier is to be used for (;;) { auto fmt = FormatSpec!Char(f.nested); fmt.writeUpToNextSpec(w); if (f.flDash) formatValue(w, val.front, fmt); else formatElement(w, val.front, fmt); if (f.sep !is null) { put(w, fmt.trailing); val.popFront(); if (val.empty) break; put(w, f.sep); } else { val.popFront(); if (val.empty) break; put(w, fmt.trailing); } } } else throw new FormatException(text("Incorrect format specifier for range: %", f.spec)); } @safe pure unittest { assert(collectExceptionMsg(format("%d", "hi")).back == 'd'); } // character formatting with ecaping private void formatChar(Writer)(ref Writer w, in dchar c, in char quote) { import std.uni : isGraphical; string fmt; if (isGraphical(c)) { if (c == quote || c == '\\') put(w, '\\'); put(w, c); return; } else if (c <= 0xFF) { if (c < 0x20) { foreach (i, k; "\n\r\t\a\b\f\v\0") { if (c == k) { put(w, '\\'); put(w, "nrtabfv0"[i]); return; } } } fmt = "\\x%02X"; } else if (c <= 0xFFFF) fmt = "\\u%04X"; else fmt = "\\U%08X"; formattedWrite(w, fmt, cast(uint) c); } // undocumented because of deprecation // string elements are formatted like UTF-8 string literals. void formatElement(Writer, T, Char)(auto ref Writer w, T val, const ref FormatSpec!Char f) if (is(StringTypeOf!T) && !is(T == enum)) { import std.array : appender; import std.utf : UTFException; StringTypeOf!T str = val; // bug 8015 if (f.spec == 's') { try { // ignore other specifications and quote auto app = appender!(typeof(val[0])[])(); put(app, '\"'); for (size_t i = 0; i < str.length; ) { import std.utf : decode; auto c = decode(str, i); // \uFFFE and \uFFFF are considered valid by isValidDchar, // so need checking for interchange. if (c == 0xFFFE || c == 0xFFFF) goto LinvalidSeq; formatChar(app, c, '"'); } put(app, '\"'); put(w, app.data); return; } catch (UTFException) { } // If val contains invalid UTF sequence, formatted like HexString literal LinvalidSeq: static if (is(typeof(str[0]) : const(char))) { enum postfix = 'c'; alias IntArr = const(ubyte)[]; } else static if (is(typeof(str[0]) : const(wchar))) { enum postfix = 'w'; alias IntArr = const(ushort)[]; } else static if (is(typeof(str[0]) : const(dchar))) { enum postfix = 'd'; alias IntArr = const(uint)[]; } formattedWrite(w, "x\"%(%02X %)\"%s", cast(IntArr) str, postfix); } else formatValue(w, str, f); } @safe pure unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); formatElement(w, "Hello World", spec); assert(w.data == "\"Hello World\""); } @safe unittest { // Test for bug 8015 import std.typecons; struct MyStruct { string str; @property string toStr() { return str; } alias toStr this; } Tuple!(MyStruct) t; } // undocumented because of deprecation // Character elements are formatted like UTF-8 character literals. void formatElement(Writer, T, Char)(auto ref Writer w, T val, const ref FormatSpec!Char f) if (is(CharTypeOf!T) && !is(T == enum)) { if (f.spec == 's') { put(w, '\''); formatChar(w, val, '\''); put(w, '\''); } else formatValue(w, val, f); } /// @safe unittest { import std.array : appender; auto w = appender!string(); auto spec = singleSpec("%s"); formatElement(w, "H", spec); assert(w.data == "\"H\"", w.data); } // undocumented // Maybe T is noncopyable struct, so receive it by 'auto ref'. void formatElement(Writer, T, Char)(auto ref Writer w, auto ref T val, const ref FormatSpec!Char f) if (!is(StringTypeOf!T) && !is(CharTypeOf!T) || is(T == enum)) { formatValue(w, val, f); } /* Associative arrays are formatted by using `':'` and $(D ", ") as separators, and enclosed by `'['` and `']'`. */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T obj, const ref FormatSpec!Char f) if (is(AssocArrayTypeOf!T) && !is(T == enum) && !hasToString!(T, Char)) { AssocArrayTypeOf!T val = obj; enforceFmt(f.spec == 's' || f.spec == '(', "incompatible format character for associative array argument: %" ~ f.spec); enum const(Char)[] defSpec = "%s" ~ f.keySeparator ~ "%s" ~ f.seqSeparator; auto fmtSpec = f.spec == '(' ? f.nested : defSpec; size_t i = 0; immutable end = val.length; if (f.spec == 's') put(w, f.seqBefore); foreach (k, ref v; val) { auto fmt = FormatSpec!Char(fmtSpec); fmt.writeUpToNextSpec(w); if (f.flDash) { formatValue(w, k, fmt); fmt.writeUpToNextSpec(w); formatValue(w, v, fmt); } else { formatElement(w, k, fmt); fmt.writeUpToNextSpec(w); formatElement(w, v, fmt); } if (f.sep !is null) { fmt.writeUpToNextSpec(w); if (++i != end) put(w, f.sep); } else { if (++i != end) fmt.writeUpToNextSpec(w); } } if (f.spec == 's') put(w, f.seqAfter); } @safe unittest { assert(collectExceptionMsg!FormatException(format("%d", [0:1])).back == 'd'); int[string] aa0; formatTest( aa0, `[]` ); // elements escaping formatTest( ["aaa":1, "bbb":2], [`["aaa":1, "bbb":2]`, `["bbb":2, "aaa":1]`] ); formatTest( ['c':"str"], `['c':"str"]` ); formatTest( ['"':"\"", '\'':"'"], [`['"':"\"", '\'':"'"]`, `['\'':"'", '"':"\""]`] ); // range formatting for AA auto aa3 = [1:"hello", 2:"world"]; // escape formatTest( "{%(%s:%s $ %)}", aa3, [`{1:"hello" $ 2:"world"}`, `{2:"world" $ 1:"hello"}`]); // use range formatting for key and value, and use %| formatTest( "{%([%04d->%(%c.%)]%| $ %)}", aa3, [`{[0001->h.e.l.l.o] $ [0002->w.o.r.l.d]}`, `{[0002->w.o.r.l.d] $ [0001->h.e.l.l.o]}`] ); // issue 12135 formatTest("%(%s:<%s>%|,%)", [1:2], "1:<2>"); formatTest("%(%s:<%s>%|%)" , [1:2], "1:<2>"); } @system unittest { class C1 { int[char] val; alias val this; this(int[char] v){ val = v; } } class C2 { int[char] val; alias val this; this(int[char] v){ val = v; } override string toString() const { return "C"; } } formatTest( new C1(['c':1, 'd':2]), [`['c':1, 'd':2]`, `['d':2, 'c':1]`] ); formatTest( new C2(['c':1, 'd':2]), "C" ); struct S1 { int[char] val; alias val this; } struct S2 { int[char] val; alias val this; string toString() const { return "S"; } } formatTest( S1(['c':1, 'd':2]), [`['c':1, 'd':2]`, `['d':2, 'c':1]`] ); formatTest( S2(['c':1, 'd':2]), "S" ); } @safe unittest // Issue 8921 { enum E : char { A = 'a', B = 'b', C = 'c' } E[3] e = [E.A, E.B, E.C]; formatTest(e, "[A, B, C]"); E[] e2 = [E.A, E.B, E.C]; formatTest(e2, "[A, B, C]"); } private template hasToString(T, Char) { static if (isPointer!T && !isAggregateType!T) { // X* does not have toString, even if X is aggregate type has toString. enum hasToString = 0; } else static if (is(typeof( {T val = void; const FormatSpec!Char f; static struct S {void put(scope Char s){}} S s; val.toString(s, f); // force toString to take parameters by ref static assert(!__traits(compiles, val.toString(s, FormatSpec!Char()))); static assert(!__traits(compiles, val.toString(S(), f)));} ))) { enum hasToString = 6; } else static if (is(typeof( {T val = void; static struct S {void put(scope Char s){}} S s; val.toString(s); // force toString to take parameters by ref static assert(!__traits(compiles, val.toString(S())));} ))) { enum hasToString = 5; } else static if (is(typeof({ T val = void; FormatSpec!Char f; val.toString((scope const(char)[] s){}, f); }))) { enum hasToString = 4; } else static if (is(typeof({ T val = void; val.toString((scope const(char)[] s){}, "%s"); }))) { enum hasToString = 3; } else static if (is(typeof({ T val = void; val.toString((scope const(char)[] s){}); }))) { enum hasToString = 2; } else static if (is(typeof({ T val = void; return val.toString(); }()) S) && isSomeString!S) { enum hasToString = 1; } else { enum hasToString = 0; } } @safe unittest { static struct A { void toString(Writer)(ref Writer w) if (isOutputRange!(Writer, string)) {} } static struct B { void toString(scope void delegate(scope const(char)[]) sink, FormatSpec!char fmt) {} } static struct C { void toString(scope void delegate(scope const(char)[]) sink, string fmt) {} } static struct D { void toString(scope void delegate(scope const(char)[]) sink) {} } static struct E { string toString() {return "";} } static struct F { void toString(Writer)(ref Writer w, const ref FormatSpec!char fmt) if (isOutputRange!(Writer, string)) {} } static struct G { string toString() {return "";} void toString(Writer)(ref Writer w) if (isOutputRange!(Writer, string)) {} } static struct H { string toString() {return "";} void toString(Writer)(ref Writer w, const ref FormatSpec!char fmt) if (isOutputRange!(Writer, string)) {} } static struct I { void toString(Writer)(ref Writer w) if (isOutputRange!(Writer, string)) {} void toString(Writer)(ref Writer w, const ref FormatSpec!char fmt) if (isOutputRange!(Writer, string)) {} } static struct J { string toString() {return "";} void toString(Writer)(ref Writer w, ref FormatSpec!char fmt) if (isOutputRange!(Writer, string)) {} } static struct K { void toString(Writer)(Writer w, const ref FormatSpec!char fmt) if (isOutputRange!(Writer, string)) {} } static struct L { void toString(Writer)(ref Writer w, const FormatSpec!char fmt) if (isOutputRange!(Writer, string)) {} } static assert(hasToString!(A, char) == 5); static assert(hasToString!(B, char) == 4); static assert(hasToString!(C, char) == 3); static assert(hasToString!(D, char) == 2); static assert(hasToString!(E, char) == 1); static assert(hasToString!(F, char) == 6); static assert(hasToString!(G, char) == 5); static assert(hasToString!(H, char) == 6); static assert(hasToString!(I, char) == 6); static assert(hasToString!(J, char) == 1); static assert(hasToString!(K, char) == 4); static assert(hasToString!(L, char) == 0); } // Like NullSink, but toString() isn't even called at all. Used to test the format string. private struct NoOpSink { void put(E)(scope const E) pure @safe @nogc nothrow {} } // object formatting with toString private void formatObject(Writer, T, Char)(ref Writer w, ref T val, const ref FormatSpec!Char f) if (hasToString!(T, Char)) { enum overload = hasToString!(T, Char); enum noop = is(Writer == NoOpSink); static if (overload == 6) { static if (!noop) val.toString(w, f); } else static if (overload == 5) { static if (!noop) val.toString(w); } // not using the overload enum to not break badly defined toString overloads // e.g. defining the FormatSpec as ref and not const ref led this function // to ignore that toString overload else static if (is(typeof(val.toString((scope const(char)[] s){}, f)))) { static if (!noop) val.toString((scope const(char)[] s) { put(w, s); }, f); } else static if (is(typeof(val.toString((scope const(char)[] s){}, "%s")))) { static if (!noop) val.toString((const(char)[] s) { put(w, s); }, f.getCurFmtStr()); } else static if (is(typeof(val.toString((scope const(char)[] s){})))) { static if (!noop) val.toString((scope const(char)[] s) { put(w, s); }); } else static if (is(typeof(val.toString()) S) && isSomeString!S) { static if (!noop) put(w, val.toString()); } else { static assert(0); } } void enforceValidFormatSpec(T, Char)(const ref FormatSpec!Char f) { static if (!isInputRange!T && hasToString!(T, Char) < 4) { enforceFmt(f.spec == 's', "Expected '%s' format specifier for type '" ~ T.stringof ~ "'"); } } @system unittest { static interface IF1 { } class CIF1 : IF1 { } static struct SF1 { } static union UF1 { } static class CF1 { } static interface IF2 { string toString(); } static class CIF2 : IF2 { override string toString() { return ""; } } static struct SF2 { string toString() { return ""; } } static union UF2 { string toString() { return ""; } } static class CF2 { override string toString() { return ""; } } static interface IK1 { void toString(scope void delegate(scope const(char)[]) sink, FormatSpec!char) const; } static class CIK1 : IK1 { override void toString(scope void delegate(scope const(char)[]) sink, FormatSpec!char) const { sink("CIK1"); } } static struct KS1 { void toString(scope void delegate(scope const(char)[]) sink, FormatSpec!char) const { sink("KS1"); } } static union KU1 { void toString(scope void delegate(scope const(char)[]) sink, FormatSpec!char) const { sink("KU1"); } } static class KC1 { void toString(scope void delegate(scope const(char)[]) sink, FormatSpec!char) const { sink("KC1"); } } IF1 cif1 = new CIF1; assertThrown!FormatException(format("%f", cif1)); assertThrown!FormatException(format("%f", SF1())); assertThrown!FormatException(format("%f", UF1())); assertThrown!FormatException(format("%f", new CF1())); IF2 cif2 = new CIF2; assertThrown!FormatException(format("%f", cif2)); assertThrown!FormatException(format("%f", SF2())); assertThrown!FormatException(format("%f", UF2())); assertThrown!FormatException(format("%f", new CF2())); IK1 cik1 = new CIK1; assert(format("%f", cik1) == "CIK1"); assert(format("%f", KS1()) == "KS1"); assert(format("%f", KU1()) == "KU1"); assert(format("%f", new KC1()) == "KC1"); } /* Aggregates */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T val, const ref FormatSpec!Char f) if (is(T == class) && !is(T == enum)) { enforceValidFormatSpec!(T, Char)(f); // TODO: remove this check once `@disable override` deprecation cycle is finished static if (__traits(hasMember, T, "toString") && isSomeFunction!(val.toString)) static assert(!__traits(isDisabled, T.toString), T.stringof ~ " cannot be formatted because its `toString` is marked with `@disable`"); if (val is null) put(w, "null"); else { static if ((is(T == immutable) || is(T == const) || is(T == shared)) && hasToString!(T, Char) == 0) { // issue 7879, remove this when Object gets const toString static if (is(T == immutable)) put(w, "immutable("); else static if (is(T == const)) put(w, "const("); else static if (is(T == shared)) put(w, "shared("); put(w, typeid(Unqual!T).name); put(w, ')'); } else static if (hasToString!(T, Char) > 1 || !isInputRange!T && !is(BuiltinTypeOf!T)) { formatObject!(Writer, T, Char)(w, val, f); } else { //string delegate() dg = &val.toString; Object o = val; // workaround string delegate() dg = &o.toString; if (dg.funcptr != &Object.toString) // toString is overridden { formatObject(w, val, f); } else static if (isInputRange!T) { formatRange(w, val, f); } else static if (is(BuiltinTypeOf!T X)) { X x = val; formatValueImpl(w, x, f); } else { formatObject(w, val, f); } } } } @system unittest { import std.array : appender; import std.range.interfaces; // class range (issue 5154) auto c = inputRangeObject([1,2,3,4]); formatTest( c, "[1, 2, 3, 4]" ); assert(c.empty); c = null; formatTest( c, "null" ); } @system unittest { // 5354 // If the class has both range I/F and custom toString, the use of custom // toString routine is prioritized. // Enable the use of custom toString that gets a sink delegate // for class formatting. enum inputRangeCode = q{ int[] arr; this(int[] a){ arr = a; } @property int front() const { return arr[0]; } @property bool empty() const { return arr.length == 0; } void popFront(){ arr = arr[1..$]; } }; class C1 { mixin(inputRangeCode); void toString(scope void delegate(scope const(char)[]) dg, const ref FormatSpec!char f) const { dg("[012]"); } } class C2 { mixin(inputRangeCode); void toString(scope void delegate(const(char)[]) dg, string f) const { dg("[012]"); } } class C3 { mixin(inputRangeCode); void toString(scope void delegate(const(char)[]) dg) const { dg("[012]"); } } class C4 { mixin(inputRangeCode); override string toString() const { return "[012]"; } } class C5 { mixin(inputRangeCode); } formatTest( new C1([0, 1, 2]), "[012]" ); formatTest( new C2([0, 1, 2]), "[012]" ); formatTest( new C3([0, 1, 2]), "[012]" ); formatTest( new C4([0, 1, 2]), "[012]" ); formatTest( new C5([0, 1, 2]), "[0, 1, 2]" ); } // outside the unittest block, otherwise the FQN of the // class contains the line number of the unittest version (unittest) { private class C {} } // issue 7879 @safe unittest { const(C) c; auto s = format("%s", c); assert(s == "null"); immutable(C) c2 = new C(); s = format("%s", c2); assert(s == "immutable(std.format.C)"); const(C) c3 = new C(); s = format("%s", c3); assert(s == "const(std.format.C)"); shared(C) c4 = new C(); s = format("%s", c4); assert(s == "shared(std.format.C)"); } // https://issues.dlang.org/show_bug.cgi?id=19003 @safe unittest { struct S { int i; @disable this(); invariant { assert(this.i); } this(int i) @safe in { assert(i); } do { this.i = i; } string toString() { return "S"; } } S s = S(1); format!"%s"(s); } // https://issues.dlang.org/show_bug.cgi?id=7879 @safe unittest { class F { override string toString() const @safe { return "Foo"; } } const(F) c; auto s = format("%s", c); assert(s == "null"); const(F) c2 = new F(); s = format("%s", c2); assert(s == "Foo", s); } // ditto private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T val, const ref FormatSpec!Char f) if (is(T == interface) && (hasToString!(T, Char) || !is(BuiltinTypeOf!T)) && !is(T == enum)) { enforceValidFormatSpec!(T, Char)(f); if (val is null) put(w, "null"); else { static if (__traits(hasMember, T, "toString") && isSomeFunction!(val.toString)) static assert(!__traits(isDisabled, T.toString), T.stringof ~ " cannot be formatted because its `toString` is marked with `@disable`"); static if (hasToString!(T, Char)) { formatObject(w, val, f); } else static if (isInputRange!T) { formatRange(w, val, f); } else { version (Windows) { import core.sys.windows.com : IUnknown; static if (is(T : IUnknown)) { formatValueImpl(w, *cast(void**)&val, f); } else { formatValueImpl(w, cast(Object) val, f); } } else { formatValueImpl(w, cast(Object) val, f); } } } } @system unittest { // interface import std.range.interfaces; InputRange!int i = inputRangeObject([1,2,3,4]); formatTest( i, "[1, 2, 3, 4]" ); assert(i.empty); i = null; formatTest( i, "null" ); // interface (downcast to Object) interface Whatever {} class C : Whatever { override @property string toString() const { return "ab"; } } Whatever val = new C; formatTest( val, "ab" ); // Issue 11175 version (Windows) { import core.sys.windows.com : IUnknown, IID; import core.sys.windows.windows : HRESULT; interface IUnknown2 : IUnknown { } class D : IUnknown2 { extern(Windows) HRESULT QueryInterface(const(IID)* riid, void** pvObject) { return typeof(return).init; } extern(Windows) uint AddRef() { return 0; } extern(Windows) uint Release() { return 0; } } IUnknown2 d = new D; string expected = format("%X", cast(void*) d); formatTest(d, expected); } } /// ditto // Maybe T is noncopyable struct, so receive it by 'auto ref'. private void formatValueImpl(Writer, T, Char)(auto ref Writer w, auto ref T val, const ref FormatSpec!Char f) if ((is(T == struct) || is(T == union)) && (hasToString!(T, Char) || !is(BuiltinTypeOf!T)) && !is(T == enum)) { static if (__traits(hasMember, T, "toString") && isSomeFunction!(val.toString)) static assert(!__traits(isDisabled, T.toString), T.stringof ~ " cannot be formatted because its `toString` is marked with `@disable`"); enforceValidFormatSpec!(T, Char)(f); static if (hasToString!(T, Char)) { formatObject(w, val, f); } else static if (isInputRange!T) { formatRange(w, val, f); } else static if (is(T == struct)) { enum left = T.stringof~"("; enum separator = ", "; enum right = ")"; put(w, left); foreach (i, e; val.tupleof) { static if (0 < i && val.tupleof[i-1].offsetof == val.tupleof[i].offsetof) { static if (i == val.tupleof.length - 1 || val.tupleof[i].offsetof != val.tupleof[i+1].offsetof) put(w, separator~val.tupleof[i].stringof[4..$]~"}"); else put(w, separator~val.tupleof[i].stringof[4..$]); } else { static if (i+1 < val.tupleof.length && val.tupleof[i].offsetof == val.tupleof[i+1].offsetof) put(w, (i > 0 ? separator : "")~"#{overlap "~val.tupleof[i].stringof[4..$]); else { static if (i > 0) put(w, separator); formatElement(w, e, f); } } } put(w, right); } else { put(w, T.stringof); } } @safe unittest { // bug 4638 struct U8 { string toString() const { return "blah"; } } struct U16 { wstring toString() const { return "blah"; } } struct U32 { dstring toString() const { return "blah"; } } formatTest( U8(), "blah" ); formatTest( U16(), "blah" ); formatTest( U32(), "blah" ); } @safe unittest { // 3890 struct Int{ int n; } struct Pair{ string s; Int i; } formatTest( Pair("hello", Int(5)), `Pair("hello", Int(5))` ); } @system unittest { // union formatting without toString union U1 { int n; string s; } U1 u1; formatTest( u1, "U1" ); // union formatting with toString union U2 { int n; string s; string toString() const { return s; } } U2 u2; u2.s = "hello"; formatTest( u2, "hello" ); } @system unittest { import std.array; // 7230 static struct Bug7230 { string s = "hello"; union { string a; int b; double c; } long x = 10; } Bug7230 bug; bug.b = 123; FormatSpec!char f; auto w = appender!(char[])(); formatValue(w, bug, f); assert(w.data == `Bug7230("hello", #{overlap a, b, c}, 10)`); } @safe unittest { import std.array : appender; static struct S{ @disable this(this); } S s; FormatSpec!char f; auto w = appender!string(); formatValue(w, s, f); assert(w.data == "S()"); } @safe unittest { //struct Foo { @disable string toString(); } //Foo foo; interface Bar { @disable string toString(); } Bar bar; import std.array : appender; auto w = appender!(char[])(); FormatSpec!char f; // NOTE: structs cant be tested : the assertion is correct so compilation // continues and fails when trying to link the unimplemented toString. //static assert(!__traits(compiles, formatValue(w, foo, f))); static assert(!__traits(compiles, formatValue(w, bar, f))); } /* `enum`s are formatted like their base value */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T val, const ref FormatSpec!Char f) if (is(T == enum)) { if (f.spec == 's') { foreach (i, e; EnumMembers!T) { if (val == e) { formatValueImpl(w, __traits(allMembers, T)[i], f); return; } } // val is not a member of T, output cast(T) rawValue instead. put(w, "cast(" ~ T.stringof ~ ")"); static assert(!is(OriginalType!T == T)); } formatValueImpl(w, cast(OriginalType!T) val, f); } @safe unittest { enum A { first, second, third } formatTest( A.second, "second" ); formatTest( cast(A) 72, "cast(A)72" ); } @safe unittest { enum A : string { one = "uno", two = "dos", three = "tres" } formatTest( A.three, "three" ); formatTest( cast(A)"mill\&oacute;n", "cast(A)mill\&oacute;n" ); } @safe unittest { enum A : bool { no, yes } formatTest( A.yes, "yes" ); formatTest( A.no, "no" ); } @safe unittest { // Test for bug 6892 enum Foo { A = 10 } formatTest("%s", Foo.A, "A"); formatTest(">%4s<", Foo.A, "> A<"); formatTest("%04d", Foo.A, "0010"); formatTest("%+2u", Foo.A, "+10"); formatTest("%02x", Foo.A, "0a"); formatTest("%3o", Foo.A, " 12"); formatTest("%b", Foo.A, "1010"); } /* Pointers are formatted as hex integers. */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, T val, const ref FormatSpec!Char f) if (isPointer!T && !is(T == enum) && !hasToString!(T, Char)) { static if (isInputRange!T) { if (val !is null) { formatRange(w, *val, f); return; } } static if (is(typeof({ shared const void* p = val; }))) alias SharedOf(T) = shared(T); else alias SharedOf(T) = T; const SharedOf!(void*) p = val; const pnum = ()@trusted{ return cast(ulong) p; }(); if (f.spec == 's') { if (p is null) { put(w, "null"); return; } FormatSpec!Char fs = f; // fs is copy for change its values. fs.spec = 'X'; formatValueImpl(w, pnum, fs); } else { enforceFmt(f.spec == 'X' || f.spec == 'x', "Expected one of %s, %x or %X for pointer type."); formatValueImpl(w, pnum, f); } } /* SIMD vectors are formatted as arrays. */ private void formatValueImpl(Writer, V, Char)(auto ref Writer w, V val, const ref FormatSpec!Char f) if (isSIMDVector!V) { formatValueImpl(w, val.array, f); } @safe unittest { import core.simd; static if (is(float4)) { version (X86) { version (OSX) {/* issue 17823 */} } else { float4 f; f.array[0] = 1; f.array[1] = 2; f.array[2] = 3; f.array[3] = 4; formatTest(f, "[1, 2, 3, 4]"); } } } @safe pure unittest { // pointer import std.range; auto r = retro([1,2,3,4]); auto p = ()@trusted{ auto p = &r; return p; }(); formatTest( p, "[4, 3, 2, 1]" ); assert(p.empty); p = null; formatTest( p, "null" ); auto q = ()@trusted{ return cast(void*) 0xFFEECCAA; }(); formatTest( q, "FFEECCAA" ); } @system pure unittest { // Test for issue 7869 struct S { string toString() const { return ""; } } S* p = null; formatTest( p, "null" ); S* q = cast(S*) 0xFFEECCAA; formatTest( q, "FFEECCAA" ); } @system unittest { // Test for issue 8186 class B { int*a; this(){ a = new int; } alias a this; } formatTest( B.init, "null" ); } @system pure unittest { // Test for issue 9336 shared int i; format("%s", &i); } @system pure unittest { // Test for issue 11778 int* p = null; assertThrown!FormatException(format("%d", p)); assertThrown!FormatException(format("%04d", p + 2)); } @safe pure unittest { // Test for issue 12505 void* p = null; formatTest( "%08X", p, "00000000" ); } /* Delegates are formatted by `ReturnType delegate(Parameters) FunctionAttributes` */ private void formatValueImpl(Writer, T, Char)(auto ref Writer w, scope T, const ref FormatSpec!Char f) if (isDelegate!T) { formatValueImpl(w, T.stringof, f); } @safe unittest { void func() @system { __gshared int x; ++x; throw new Exception("msg"); } version (linux) formatTest( &func, "void delegate() @system" ); } @safe pure unittest { int[] a = [ 1, 3, 2 ]; formatTest( "testing %(%s & %) embedded", a, "testing 1 & 3 & 2 embedded"); formatTest( "testing %((%s) %)) wyda3", a, "testing (1) (3) (2) wyda3" ); int[0] empt = []; formatTest( "(%s)", empt, "([])" ); } //------------------------------------------------------------------------------ // Fix for issue 1591 private int getNthInt(string kind, A...)(uint index, A args) { return getNth!(kind, isIntegral,int)(index, args); } private T getNth(string kind, alias Condition, T, A...)(uint index, A args) { import std.conv : text, to; switch (index) { foreach (n, _; A) { case n: static if (Condition!(typeof(args[n]))) { return to!T(args[n]); } else { throw new FormatException( text(kind, " expected, not ", typeof(args[n]).stringof, " for argument #", index + 1)); } } default: throw new FormatException( text("Missing ", kind, " argument")); } } @safe unittest { // width/precision assert(collectExceptionMsg!FormatException(format("%*.d", 5.1, 2)) == "integer width expected, not double for argument #1"); assert(collectExceptionMsg!FormatException(format("%-1*.d", 5.1, 2)) == "integer width expected, not double for argument #1"); assert(collectExceptionMsg!FormatException(format("%.*d", '5', 2)) == "integer precision expected, not char for argument #1"); assert(collectExceptionMsg!FormatException(format("%-1.*d", 4.7, 3)) == "integer precision expected, not double for argument #1"); assert(collectExceptionMsg!FormatException(format("%.*d", 5)) == "Orphan format specifier: %d"); assert(collectExceptionMsg!FormatException(format("%*.*d", 5)) == "Missing integer precision argument"); // separatorCharPos assert(collectExceptionMsg!FormatException(format("%,?d", 5)) == "separator character expected, not int for argument #1"); assert(collectExceptionMsg!FormatException(format("%,?d", '?')) == "Orphan format specifier: %d"); assert(collectExceptionMsg!FormatException(format("%.*,*?d", 5)) == "Missing separator digit width argument"); } /* ======================== Unit Tests ====================================== */ version (unittest) private void formatTest(T)(T val, string expected, size_t ln = __LINE__, string fn = __FILE__) { import core.exception : AssertError; import std.array : appender; import std.conv : text; FormatSpec!char f; auto w = appender!string(); formatValue(w, val, f); enforce!AssertError( w.data == expected, text("expected = `", expected, "`, result = `", w.data, "`"), fn, ln); } version (unittest) private void formatTest(T)(string fmt, T val, string expected, size_t ln = __LINE__, string fn = __FILE__) @safe { import core.exception : AssertError; import std.array : appender; import std.conv : text; auto w = appender!string(); formattedWrite(w, fmt, val); enforce!AssertError( w.data == expected, text("expected = `", expected, "`, result = `", w.data, "`"), fn, ln); } version (unittest) private void formatTest(T)(T val, string[] expected, size_t ln = __LINE__, string fn = __FILE__) { import core.exception : AssertError; import std.array : appender; import std.conv : text; FormatSpec!char f; auto w = appender!string(); formatValue(w, val, f); foreach (cur; expected) { if (w.data == cur) return; } enforce!AssertError( false, text("expected one of `", expected, "`, result = `", w.data, "`"), fn, ln); } version (unittest) private void formatTest(T)(string fmt, T val, string[] expected, size_t ln = __LINE__, string fn = __FILE__) @safe { import core.exception : AssertError; import std.array : appender; import std.conv : text; auto w = appender!string(); formattedWrite(w, fmt, val); foreach (cur; expected) { if (w.data == cur) return; } enforce!AssertError( false, text("expected one of `", expected, "`, result = `", w.data, "`"), fn, ln); } @safe /*pure*/ unittest // formatting floating point values is now impure { import std.array; auto stream = appender!string(); formattedWrite(stream, "%s", 1.1); assert(stream.data == "1.1", stream.data); } @safe pure unittest { import std.algorithm; import std.array; auto stream = appender!string(); formattedWrite(stream, "%s", map!"a*a"([2, 3, 5])); assert(stream.data == "[4, 9, 25]", stream.data); // Test shared data. stream = appender!string(); shared int s = 6; formattedWrite(stream, "%s", s); assert(stream.data == "6"); } @safe pure unittest { import std.array; auto stream = appender!string(); formattedWrite(stream, "%u", 42); assert(stream.data == "42", stream.data); } @safe pure unittest { // testing raw writes import std.array; auto w = appender!(char[])(); uint a = 0x02030405; formattedWrite(w, "%+r", a); assert(w.data.length == 4 && w.data[0] == 2 && w.data[1] == 3 && w.data[2] == 4 && w.data[3] == 5); w.clear(); formattedWrite(w, "%-r", a); assert(w.data.length == 4 && w.data[0] == 5 && w.data[1] == 4 && w.data[2] == 3 && w.data[3] == 2); } @safe pure unittest { // testing positional parameters import std.array; auto w = appender!(char[])(); formattedWrite(w, "Numbers %2$s and %1$s are reversed and %1$s%2$s repeated", 42, 0); assert(w.data == "Numbers 0 and 42 are reversed and 420 repeated", w.data); assert(collectExceptionMsg!FormatException(formattedWrite(w, "%1$s, %3$s", 1, 2)) == "Positional specifier %3$s index exceeds 2"); w.clear(); formattedWrite(w, "asd%s", 23); assert(w.data == "asd23", w.data); w.clear(); formattedWrite(w, "%s%s", 23, 45); assert(w.data == "2345", w.data); } @safe unittest { import core.stdc.string : strlen; import std.array : appender; import std.conv : text, octal; import core.stdc.stdio : snprintf; debug(format) printf("std.format.format.unittest\n"); auto stream = appender!(char[])(); //goto here; formattedWrite(stream, "hello world! %s %s ", true, 57, 1_000_000_000, 'x', " foo"); assert(stream.data == "hello world! true 57 ", stream.data); stream.clear(); formattedWrite(stream, "%g %A %s", 1.67, -1.28, float.nan); // core.stdc.stdio.fwrite(stream.data.ptr, stream.data.length, 1, stderr); /* The host C library is used to format floats. C99 doesn't * specify what the hex digit before the decimal point is for * %A. */ version (CRuntime_Glibc) { assert(stream.data == "1.67 -0X1.47AE147AE147BP+0 nan", stream.data); } else version (OSX) { assert(stream.data == "1.67 -0X1.47AE147AE147BP+0 nan", stream.data); } else version (MinGW) { assert(stream.data == "1.67 -0XA.3D70A3D70A3D8P-3 nan", stream.data); } else version (CRuntime_Microsoft) { assert(stream.data == "1.67 -0X1.47AE14P+0 nan" || stream.data == "1.67 -0X1.47AE147AE147BP+0 nan", // MSVCRT 14+ (VS 2015) stream.data); } else { assert(stream.data == "1.67 -0X1.47AE147AE147BP+0 nan", stream.data); } stream.clear(); formattedWrite(stream, "%x %X", 0x1234AF, 0xAFAFAFAF); assert(stream.data == "1234af AFAFAFAF"); stream.clear(); formattedWrite(stream, "%b %o", 0x1234AF, 0xAFAFAFAF); assert(stream.data == "100100011010010101111 25753727657"); stream.clear(); formattedWrite(stream, "%d %s", 0x1234AF, 0xAFAFAFAF); assert(stream.data == "1193135 2947526575"); stream.clear(); // formattedWrite(stream, "%s", 1.2 + 3.4i); // assert(stream.data == "1.2+3.4i"); // stream.clear(); formattedWrite(stream, "%a %A", 1.32, 6.78f); //formattedWrite(stream, "%x %X", 1.32); version (CRuntime_Microsoft) assert(stream.data == "0x1.51eb85p+0 0X1.B1EB86P+2" || stream.data == "0x1.51eb851eb851fp+0 0X1.B1EB860000000P+2"); // MSVCRT 14+ (VS 2015) else assert(stream.data == "0x1.51eb851eb851fp+0 0X1.B1EB86P+2"); stream.clear(); formattedWrite(stream, "%#06.*f",2,12.345); assert(stream.data == "012.35"); stream.clear(); formattedWrite(stream, "%#0*.*f",6,2,12.345); assert(stream.data == "012.35"); stream.clear(); const real constreal = 1; formattedWrite(stream, "%g",constreal); assert(stream.data == "1"); stream.clear(); formattedWrite(stream, "%7.4g:", 12.678); assert(stream.data == " 12.68:"); stream.clear(); formattedWrite(stream, "%7.4g:", 12.678L); assert(stream.data == " 12.68:"); stream.clear(); formattedWrite(stream, "%04f|%05d|%#05x|%#5x",-4.0,-10,1,1); assert(stream.data == "-4.000000|-0010|0x001| 0x1", stream.data); stream.clear(); int i; string s; i = -10; formattedWrite(stream, "%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(stream.data == "-10|-10|-10|-10|-10.0000"); stream.clear(); i = -5; formattedWrite(stream, "%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(stream.data == "-5| -5|-05|-5|-5.0000"); stream.clear(); i = 0; formattedWrite(stream, "%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(stream.data == "0| 0|000|0|0.0000"); stream.clear(); i = 5; formattedWrite(stream, "%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(stream.data == "5| 5|005|5|5.0000"); stream.clear(); i = 10; formattedWrite(stream, "%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(stream.data == "10| 10|010|10|10.0000"); stream.clear(); formattedWrite(stream, "%.0d", 0); assert(stream.data == ""); stream.clear(); formattedWrite(stream, "%.g", .34); assert(stream.data == "0.3"); stream.clear(); stream.clear(); formattedWrite(stream, "%.0g", .34); assert(stream.data == "0.3"); stream.clear(); formattedWrite(stream, "%.2g", .34); assert(stream.data == "0.34"); stream.clear(); formattedWrite(stream, "%0.0008f", 1e-08); assert(stream.data == "0.00000001"); stream.clear(); formattedWrite(stream, "%0.0008f", 1e-05); assert(stream.data == "0.00001000"); //return; //core.stdc.stdio.fwrite(stream.data.ptr, stream.data.length, 1, stderr); s = "helloworld"; string r; stream.clear(); formattedWrite(stream, "%.2s", s[0 .. 5]); assert(stream.data == "he"); stream.clear(); formattedWrite(stream, "%.20s", s[0 .. 5]); assert(stream.data == "hello"); stream.clear(); formattedWrite(stream, "%8s", s[0 .. 5]); assert(stream.data == " hello"); byte[] arrbyte = new byte[4]; arrbyte[0] = 100; arrbyte[1] = -99; arrbyte[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrbyte); assert(stream.data == "[100, -99, 0, 0]", stream.data); ubyte[] arrubyte = new ubyte[4]; arrubyte[0] = 100; arrubyte[1] = 200; arrubyte[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrubyte); assert(stream.data == "[100, 200, 0, 0]", stream.data); short[] arrshort = new short[4]; arrshort[0] = 100; arrshort[1] = -999; arrshort[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrshort); assert(stream.data == "[100, -999, 0, 0]"); stream.clear(); formattedWrite(stream, "%s",arrshort); assert(stream.data == "[100, -999, 0, 0]"); ushort[] arrushort = new ushort[4]; arrushort[0] = 100; arrushort[1] = 20_000; arrushort[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrushort); assert(stream.data == "[100, 20000, 0, 0]"); int[] arrint = new int[4]; arrint[0] = 100; arrint[1] = -999; arrint[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrint); assert(stream.data == "[100, -999, 0, 0]"); stream.clear(); formattedWrite(stream, "%s",arrint); assert(stream.data == "[100, -999, 0, 0]"); long[] arrlong = new long[4]; arrlong[0] = 100; arrlong[1] = -999; arrlong[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrlong); assert(stream.data == "[100, -999, 0, 0]"); stream.clear(); formattedWrite(stream, "%s",arrlong); assert(stream.data == "[100, -999, 0, 0]"); ulong[] arrulong = new ulong[4]; arrulong[0] = 100; arrulong[1] = 999; arrulong[3] = 0; stream.clear(); formattedWrite(stream, "%s", arrulong); assert(stream.data == "[100, 999, 0, 0]"); string[] arr2 = new string[4]; arr2[0] = "hello"; arr2[1] = "world"; arr2[3] = "foo"; stream.clear(); formattedWrite(stream, "%s", arr2); assert(stream.data == `["hello", "world", "", "foo"]`, stream.data); stream.clear(); formattedWrite(stream, "%.8d", 7); assert(stream.data == "00000007"); stream.clear(); formattedWrite(stream, "%.8x", 10); assert(stream.data == "0000000a"); stream.clear(); formattedWrite(stream, "%-3d", 7); assert(stream.data == "7 "); stream.clear(); formattedWrite(stream, "%*d", -3, 7); assert(stream.data == "7 "); stream.clear(); formattedWrite(stream, "%.*d", -3, 7); //writeln(stream.data); assert(stream.data == "7"); stream.clear(); formattedWrite(stream, "%s", "abc"c); assert(stream.data == "abc"); stream.clear(); formattedWrite(stream, "%s", "def"w); assert(stream.data == "def", text(stream.data.length)); stream.clear(); formattedWrite(stream, "%s", "ghi"d); assert(stream.data == "ghi"); here: @trusted void* deadBeef() { return cast(void*) 0xDEADBEEF; } stream.clear(); formattedWrite(stream, "%s", deadBeef()); assert(stream.data == "DEADBEEF", stream.data); stream.clear(); formattedWrite(stream, "%#x", 0xabcd); assert(stream.data == "0xabcd"); stream.clear(); formattedWrite(stream, "%#X", 0xABCD); assert(stream.data == "0XABCD"); stream.clear(); formattedWrite(stream, "%#o", octal!12345); assert(stream.data == "012345"); stream.clear(); formattedWrite(stream, "%o", 9); assert(stream.data == "11"); stream.clear(); formattedWrite(stream, "%+d", 123); assert(stream.data == "+123"); stream.clear(); formattedWrite(stream, "%+d", -123); assert(stream.data == "-123"); stream.clear(); formattedWrite(stream, "% d", 123); assert(stream.data == " 123"); stream.clear(); formattedWrite(stream, "% d", -123); assert(stream.data == "-123"); stream.clear(); formattedWrite(stream, "%%"); assert(stream.data == "%"); stream.clear(); formattedWrite(stream, "%d", true); assert(stream.data == "1"); stream.clear(); formattedWrite(stream, "%d", false); assert(stream.data == "0"); stream.clear(); formattedWrite(stream, "%d", 'a'); assert(stream.data == "97", stream.data); wchar wc = 'a'; stream.clear(); formattedWrite(stream, "%d", wc); assert(stream.data == "97"); dchar dc = 'a'; stream.clear(); formattedWrite(stream, "%d", dc); assert(stream.data == "97"); byte b = byte.max; stream.clear(); formattedWrite(stream, "%x", b); assert(stream.data == "7f"); stream.clear(); formattedWrite(stream, "%x", ++b); assert(stream.data == "80"); stream.clear(); formattedWrite(stream, "%x", ++b); assert(stream.data == "81"); short sh = short.max; stream.clear(); formattedWrite(stream, "%x", sh); assert(stream.data == "7fff"); stream.clear(); formattedWrite(stream, "%x", ++sh); assert(stream.data == "8000"); stream.clear(); formattedWrite(stream, "%x", ++sh); assert(stream.data == "8001"); i = int.max; stream.clear(); formattedWrite(stream, "%x", i); assert(stream.data == "7fffffff"); stream.clear(); formattedWrite(stream, "%x", ++i); assert(stream.data == "80000000"); stream.clear(); formattedWrite(stream, "%x", ++i); assert(stream.data == "80000001"); stream.clear(); formattedWrite(stream, "%x", 10); assert(stream.data == "a"); stream.clear(); formattedWrite(stream, "%X", 10); assert(stream.data == "A"); stream.clear(); formattedWrite(stream, "%x", 15); assert(stream.data == "f"); stream.clear(); formattedWrite(stream, "%X", 15); assert(stream.data == "F"); @trusted void ObjectTest() { Object c = null; stream.clear(); formattedWrite(stream, "%s", c); assert(stream.data == "null"); } ObjectTest(); enum TestEnum { Value1, Value2 } stream.clear(); formattedWrite(stream, "%s", TestEnum.Value2); assert(stream.data == "Value2", stream.data); stream.clear(); formattedWrite(stream, "%s", cast(TestEnum) 5); assert(stream.data == "cast(TestEnum)5", stream.data); //immutable(char[5])[int] aa = ([3:"hello", 4:"betty"]); //stream.clear(); formattedWrite(stream, "%s", aa.values); //core.stdc.stdio.fwrite(stream.data.ptr, stream.data.length, 1, stderr); //assert(stream.data == "[[h,e,l,l,o],[b,e,t,t,y]]"); //stream.clear(); formattedWrite(stream, "%s", aa); //assert(stream.data == "[3:[h,e,l,l,o],4:[b,e,t,t,y]]"); static const dchar[] ds = ['a','b']; for (int j = 0; j < ds.length; ++j) { stream.clear(); formattedWrite(stream, " %d", ds[j]); if (j == 0) assert(stream.data == " 97"); else assert(stream.data == " 98"); } stream.clear(); formattedWrite(stream, "%.-3d", 7); assert(stream.data == "7", ">" ~ stream.data ~ "<"); } @safe unittest { import std.array; import std.stdio; immutable(char[5])[int] aa = ([3:"hello", 4:"betty"]); assert(aa[3] == "hello"); assert(aa[4] == "betty"); auto stream = appender!(char[])(); alias AllNumerics = AliasSeq!(byte, ubyte, short, ushort, int, uint, long, ulong, float, double, real); foreach (T; AllNumerics) { T value = 1; stream.clear(); formattedWrite(stream, "%s", value); assert(stream.data == "1"); } stream.clear(); formattedWrite(stream, "%s", aa); } @system unittest { string s = "hello!124:34.5"; string a; int b; double c; formattedRead(s, "%s!%s:%s", &a, &b, &c); assert(a == "hello" && b == 124 && c == 34.5); } version (unittest) private void formatReflectTest(T)(ref T val, string fmt, string formatted, string fn = __FILE__, size_t ln = __LINE__) { import core.exception : AssertError; import std.array : appender; auto w = appender!string(); formattedWrite(w, fmt, val); auto input = w.data; enforce!AssertError( input == formatted, input, fn, ln); T val2; formattedRead(input, fmt, &val2); static if (isAssociativeArray!T) if (__ctfe) { alias aa1 = val; alias aa2 = val2; assert(aa1 == aa2); assert(aa1.length == aa2.length); assert(aa1.keys == aa2.keys); assert(aa1.values == aa2.values); assert(aa1.values.length == aa2.values.length); foreach (i; 0 .. aa1.values.length) assert(aa1.values[i] == aa2.values[i]); foreach (i, key; aa1.keys) assert(aa1.values[i] == aa1[key]); foreach (i, key; aa2.keys) assert(aa2.values[i] == aa2[key]); return; } enforce!AssertError( val == val2, input, fn, ln); } version (unittest) private void formatReflectTest(T)(ref T val, string fmt, string[] formatted, string fn = __FILE__, size_t ln = __LINE__) { import core.exception : AssertError; import std.array : appender; auto w = appender!string(); formattedWrite(w, fmt, val); auto input = w.data; foreach (cur; formatted) { if (input == cur) return; } enforce!AssertError( false, input, fn, ln); T val2; formattedRead(input, fmt, &val2); static if (isAssociativeArray!T) if (__ctfe) { alias aa1 = val; alias aa2 = val2; assert(aa1 == aa2); assert(aa1.length == aa2.length); assert(aa1.keys == aa2.keys); assert(aa1.values == aa2.values); assert(aa1.values.length == aa2.values.length); foreach (i; 0 .. aa1.values.length) assert(aa1.values[i] == aa2.values[i]); foreach (i, key; aa1.keys) assert(aa1.values[i] == aa1[key]); foreach (i, key; aa2.keys) assert(aa2.values[i] == aa2[key]); return; } enforce!AssertError( val == val2, input, fn, ln); } @system unittest { void booleanTest() { auto b = true; formatReflectTest(b, "%s", `true`); formatReflectTest(b, "%b", `1`); formatReflectTest(b, "%o", `1`); formatReflectTest(b, "%d", `1`); formatReflectTest(b, "%u", `1`); formatReflectTest(b, "%x", `1`); } void integerTest() { auto n = 127; formatReflectTest(n, "%s", `127`); formatReflectTest(n, "%b", `1111111`); formatReflectTest(n, "%o", `177`); formatReflectTest(n, "%d", `127`); formatReflectTest(n, "%u", `127`); formatReflectTest(n, "%x", `7f`); } void floatingTest() { auto f = 3.14; formatReflectTest(f, "%s", `3.14`); version (MinGW) formatReflectTest(f, "%e", `3.140000e+000`); else formatReflectTest(f, "%e", `3.140000e+00`); formatReflectTest(f, "%f", `3.140000`); formatReflectTest(f, "%g", `3.14`); } void charTest() { auto c = 'a'; formatReflectTest(c, "%s", `a`); formatReflectTest(c, "%c", `a`); formatReflectTest(c, "%b", `1100001`); formatReflectTest(c, "%o", `141`); formatReflectTest(c, "%d", `97`); formatReflectTest(c, "%u", `97`); formatReflectTest(c, "%x", `61`); } void strTest() { auto s = "hello"; formatReflectTest(s, "%s", `hello`); formatReflectTest(s, "%(%c,%)", `h,e,l,l,o`); formatReflectTest(s, "%(%s,%)", `'h','e','l','l','o'`); formatReflectTest(s, "[%(<%c>%| $ %)]", `[<h> $ <e> $ <l> $ <l> $ <o>]`); } void daTest() { auto a = [1,2,3,4]; formatReflectTest(a, "%s", `[1, 2, 3, 4]`); formatReflectTest(a, "[%(%s; %)]", `[1; 2; 3; 4]`); formatReflectTest(a, "[%(<%s>%| $ %)]", `[<1> $ <2> $ <3> $ <4>]`); } void saTest() { int[4] sa = [1,2,3,4]; formatReflectTest(sa, "%s", `[1, 2, 3, 4]`); formatReflectTest(sa, "[%(%s; %)]", `[1; 2; 3; 4]`); formatReflectTest(sa, "[%(<%s>%| $ %)]", `[<1> $ <2> $ <3> $ <4>]`); } void aaTest() { auto aa = [1:"hello", 2:"world"]; formatReflectTest(aa, "%s", [`[1:"hello", 2:"world"]`, `[2:"world", 1:"hello"]`]); formatReflectTest(aa, "[%(%s->%s, %)]", [`[1->"hello", 2->"world"]`, `[2->"world", 1->"hello"]`]); formatReflectTest(aa, "{%([%s=%(%c%)]%|; %)}", [`{[1=hello]; [2=world]}`, `{[2=world]; [1=hello]}`]); } import std.exception; assertCTFEable!( { booleanTest(); integerTest(); if (!__ctfe) floatingTest(); // snprintf charTest(); strTest(); daTest(); saTest(); aaTest(); return true; }); } //------------------------------------------------------------------------------ private void skipData(Range, Char)(ref Range input, const ref FormatSpec!Char spec) { import std.ascii : isDigit; import std.conv : text; switch (spec.spec) { case 'c': input.popFront(); break; case 'd': if (input.front == '+' || input.front == '-') input.popFront(); goto case 'u'; case 'u': while (!input.empty && isDigit(input.front)) input.popFront(); break; default: assert(false, text("Format specifier not understood: %", spec.spec)); } } private template acceptedSpecs(T) { static if (isIntegral!T) enum acceptedSpecs = "bdosuxX"; else static if (isFloatingPoint!T) enum acceptedSpecs = "seEfgG"; else static if (isSomeChar!T) enum acceptedSpecs = "bcdosuxX"; // integral + 'c' else enum acceptedSpecs = ""; } /** * Reads a value from the given _input range according to spec * and returns it as type `T`. * * Params: * T = the type to return * input = the _input range to read from * spec = the `FormatSpec` to use when reading from `input` * Returns: * A value from `input` of type `T` * Throws: * A `FormatException` if `spec` cannot read a type `T` * See_Also: * $(REF parse, std, conv) and $(REF to, std, conv) */ T unformatValue(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) { return unformatValueImpl!T(input, spec); } /// Booleans @safe pure unittest { auto str = "false"; auto spec = singleSpec("%s"); assert(unformatValue!bool(str, spec) == false); str = "1"; spec = singleSpec("%d"); assert(unformatValue!bool(str, spec)); } /// Null values @safe pure unittest { auto str = "null"; auto spec = singleSpec("%s"); assert(str.unformatValue!(typeof(null))(spec) == null); } /// Integrals @safe pure unittest { auto str = "123"; auto spec = singleSpec("%s"); assert(str.unformatValue!int(spec) == 123); str = "ABC"; spec = singleSpec("%X"); assert(str.unformatValue!int(spec) == 2748); str = "11610"; spec = singleSpec("%o"); assert(str.unformatValue!int(spec) == 5000); } /// Floating point numbers @safe pure unittest { import std.math : approxEqual; auto str = "123.456"; auto spec = singleSpec("%s"); assert(str.unformatValue!double(spec).approxEqual(123.456)); } /// Character input ranges @safe pure unittest { auto str = "aaa"; auto spec = singleSpec("%s"); assert(str.unformatValue!char(spec) == 'a'); // Using a numerical format spec reads a Unicode value from a string str = "65"; spec = singleSpec("%d"); assert(str.unformatValue!char(spec) == 'A'); str = "41"; spec = singleSpec("%x"); assert(str.unformatValue!char(spec) == 'A'); str = "10003"; spec = singleSpec("%d"); assert(str.unformatValue!dchar(spec) == '✓'); } /// Arrays and static arrays @safe pure unittest { string str = "aaa"; auto spec = singleSpec("%s"); assert(str.unformatValue!(dchar[])(spec) == "aaa"d); str = "aaa"; spec = singleSpec("%s"); dchar[3] ret = ['a', 'a', 'a']; assert(str.unformatValue!(dchar[3])(spec) == ret); str = "[1, 2, 3, 4]"; spec = singleSpec("%s"); assert(str.unformatValue!(int[])(spec) == [1, 2, 3, 4]); str = "[1, 2, 3, 4]"; spec = singleSpec("%s"); int[4] ret2 = [1, 2, 3, 4]; assert(str.unformatValue!(int[4])(spec) == ret2); } /// Associative arrays @safe pure unittest { auto str = `["one": 1, "two": 2]`; auto spec = singleSpec("%s"); assert(str.unformatValue!(int[string])(spec) == ["one": 1, "two": 2]); } @safe pure unittest { // 7241 string input = "a"; auto spec = FormatSpec!char("%s"); spec.readUpToNextSpec(input); auto result = unformatValue!(dchar[1])(input, spec); assert(result[0] == 'a'); } private T unformatValueImpl(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) if (isInputRange!Range && is(Unqual!T == bool)) { import std.algorithm.searching : find; import std.conv : parse, text; if (spec.spec == 's') return parse!T(input); enforceFmt(find(acceptedSpecs!long, spec.spec).length, text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); return unformatValue!long(input, spec) != 0; } private T unformatValueImpl(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) if (isInputRange!Range && is(T == typeof(null))) { import std.conv : parse, text; enforceFmt(spec.spec == 's', text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); return parse!T(input); } /// ditto private T unformatValueImpl(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) if (isInputRange!Range && isIntegral!T && !is(T == enum) && isSomeChar!(ElementType!Range)) { import std.algorithm.searching : find; import std.conv : parse, text; if (spec.spec == 'r') { static if (is(Unqual!(ElementEncodingType!Range) == char) || is(Unqual!(ElementEncodingType!Range) == byte) || is(Unqual!(ElementEncodingType!Range) == ubyte)) return rawRead!T(input); else throw new FormatException( "The raw read specifier %r may only be used with narrow strings and ranges of bytes." ); } enforceFmt(find(acceptedSpecs!T, spec.spec).length, text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); enforceFmt(spec.width == 0, "Parsing integers with a width specification is not implemented"); // TODO immutable uint base = spec.spec == 'x' || spec.spec == 'X' ? 16 : spec.spec == 'o' ? 8 : spec.spec == 'b' ? 2 : spec.spec == 's' || spec.spec == 'd' || spec.spec == 'u' ? 10 : 0; assert(base != 0); return parse!T(input, base); } /// ditto private T unformatValueImpl(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) if (isFloatingPoint!T && !is(T == enum) && isInputRange!Range && isSomeChar!(ElementType!Range)&& !is(Range == enum)) { import std.algorithm.searching : find; import std.conv : parse, text; if (spec.spec == 'r') { static if (is(Unqual!(ElementEncodingType!Range) == char) || is(Unqual!(ElementEncodingType!Range) == byte) || is(Unqual!(ElementEncodingType!Range) == ubyte)) return rawRead!T(input); else throw new FormatException( "The raw read specifier %r may only be used with narrow strings and ranges of bytes." ); } enforceFmt(find(acceptedSpecs!T, spec.spec).length, text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); return parse!T(input); } /// ditto private T unformatValueImpl(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) if (isInputRange!Range && isSomeChar!T && !is(T == enum) && isSomeChar!(ElementType!Range)) { import std.algorithm.searching : find; import std.conv : to, text; if (spec.spec == 's' || spec.spec == 'c') { auto result = to!T(input.front); input.popFront(); return result; } enforceFmt(find(acceptedSpecs!T, spec.spec).length, text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); static if (T.sizeof == 1) return unformatValue!ubyte(input, spec); else static if (T.sizeof == 2) return unformatValue!ushort(input, spec); else static if (T.sizeof == 4) return unformatValue!uint(input, spec); else static assert(0); } /// ditto private T unformatValueImpl(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) if (isInputRange!Range && is(StringTypeOf!T) && !isAggregateType!T && !is(T == enum)) { import std.conv : text; if (spec.spec == '(') { return unformatRange!T(input, spec); } enforceFmt(spec.spec == 's', text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); static if (isStaticArray!T) { T result; auto app = result[]; } else { import std.array : appender; auto app = appender!T(); } if (spec.trailing.empty) { for (; !input.empty; input.popFront()) { static if (isStaticArray!T) if (app.empty) break; app.put(input.front); } } else { immutable end = spec.trailing.front; for (; !input.empty && input.front != end; input.popFront()) { static if (isStaticArray!T) if (app.empty) break; app.put(input.front); } } static if (isStaticArray!T) { enforceFmt(app.empty, "need more input"); return result; } else return app.data; } /// ditto private T unformatValueImpl(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) if (isInputRange!Range && isArray!T && !is(StringTypeOf!T) && !isAggregateType!T && !is(T == enum)) { import std.conv : parse, text; if (spec.spec == '(') { return unformatRange!T(input, spec); } enforceFmt(spec.spec == 's', text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); return parse!T(input); } /// ditto private T unformatValueImpl(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) if (isInputRange!Range && isAssociativeArray!T && !is(T == enum)) { import std.conv : parse, text; if (spec.spec == '(') { return unformatRange!T(input, spec); } enforceFmt(spec.spec == 's', text("Wrong unformat specifier '%", spec.spec , "' for ", T.stringof)); return parse!T(input); } /** * Function that performs raw reading. Used by unformatValue * for integral and float types. */ private T rawRead(T, Range)(ref Range input) if (is(Unqual!(ElementEncodingType!Range) == char) || is(Unqual!(ElementEncodingType!Range) == byte) || is(Unqual!(ElementEncodingType!Range) == ubyte)) { union X { ubyte[T.sizeof] raw; T typed; } X x; foreach (i; 0 .. T.sizeof) { static if (isSomeString!Range) { x.raw[i] = input[0]; input = input[1 .. $]; } else { // TODO: recheck this x.raw[i] = input.front; input.popFront(); } } return x.typed; } //debug = unformatRange; private T unformatRange(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) in { assert(spec.spec == '('); } do { debug (unformatRange) printf("unformatRange:\n"); T result; static if (isStaticArray!T) { size_t i; } const(Char)[] cont = spec.trailing; for (size_t j = 0; j < spec.trailing.length; ++j) { if (spec.trailing[j] == '%') { cont = spec.trailing[0 .. j]; break; } } debug (unformatRange) printf("\t"); debug (unformatRange) if (!input.empty) printf("input.front = %c, ", input.front); debug (unformatRange) printf("cont = %.*s\n", cont); bool checkEnd() { return input.empty || !cont.empty && input.front == cont.front; } if (!checkEnd()) { for (;;) { auto fmt = FormatSpec!Char(spec.nested); fmt.readUpToNextSpec(input); enforceFmt(!input.empty, "Unexpected end of input when parsing range"); debug (unformatRange) printf("\t) spec = %c, front = %c ", fmt.spec, input.front); static if (isStaticArray!T) { result[i++] = unformatElement!(typeof(T.init[0]))(input, fmt); } else static if (isDynamicArray!T) { result ~= unformatElement!(ElementType!T)(input, fmt); } else static if (isAssociativeArray!T) { auto key = unformatElement!(typeof(T.init.keys[0]))(input, fmt); fmt.readUpToNextSpec(input); // eat key separator result[key] = unformatElement!(typeof(T.init.values[0]))(input, fmt); } debug (unformatRange) { if (input.empty) printf("-> front = [empty] "); else printf("-> front = %c ", input.front); } static if (isStaticArray!T) { debug (unformatRange) printf("i = %u < %u\n", i, T.length); enforceFmt(i <= T.length, "Too many format specifiers for static array of length %d".format(T.length)); } if (spec.sep !is null) fmt.readUpToNextSpec(input); auto sep = spec.sep !is null ? spec.sep : fmt.trailing; debug (unformatRange) { if (!sep.empty && !input.empty) printf("-> %c, sep = %.*s\n", input.front, sep); else printf("\n"); } if (checkEnd()) break; if (!sep.empty && input.front == sep.front) { while (!sep.empty) { enforceFmt(!input.empty, "Unexpected end of input when parsing range separator"); enforceFmt(input.front == sep.front, "Unexpected character when parsing range separator"); input.popFront(); sep.popFront(); } debug (unformatRange) printf("input.front = %c\n", input.front); } } } static if (isStaticArray!T) { enforceFmt(i == T.length, "Too few (%d) format specifiers for static array of length %d".format(i, T.length)); } return result; } // Undocumented T unformatElement(T, Range, Char)(ref Range input, const ref FormatSpec!Char spec) if (isInputRange!Range) { import std.conv : parseElement; static if (isSomeString!T) { if (spec.spec == 's') { return parseElement!T(input); } } else static if (isSomeChar!T) { if (spec.spec == 's') { return parseElement!T(input); } } return unformatValue!T(input, spec); } // Legacy implementation // @@@DEPRECATED_2019-01@@@ deprecated("Use std.demangle") enum Mangle : char { Tvoid = 'v', Tbool = 'b', Tbyte = 'g', Tubyte = 'h', Tshort = 's', Tushort = 't', Tint = 'i', Tuint = 'k', Tlong = 'l', Tulong = 'm', Tfloat = 'f', Tdouble = 'd', Treal = 'e', Tifloat = 'o', Tidouble = 'p', Tireal = 'j', Tcfloat = 'q', Tcdouble = 'r', Tcreal = 'c', Tchar = 'a', Twchar = 'u', Tdchar = 'w', Tarray = 'A', Tsarray = 'G', Taarray = 'H', Tpointer = 'P', Tfunction = 'F', Tident = 'I', Tclass = 'C', Tstruct = 'S', Tenum = 'E', Ttypedef = 'T', Tdelegate = 'D', Tconst = 'x', Timmutable = 'y', } private bool needToSwapEndianess(Char)(const ref FormatSpec!Char f) { import std.system : endian, Endian; return endian == Endian.littleEndian && f.flPlus || endian == Endian.bigEndian && f.flDash; } /* ======================== Unit Tests ====================================== */ @system unittest { import std.conv : octal; int i; string s; debug(format) printf("std.format.format.unittest\n"); s = format("hello world! %s %s %s%s%s", true, 57, 1_000_000_000, 'x', " foo"); assert(s == "hello world! true 57 1000000000x foo"); s = format("%s %A %s", 1.67, -1.28, float.nan); /* The host C library is used to format floats. * C99 doesn't specify what the hex digit before the decimal point * is for %A. */ //version (linux) // assert(s == "1.67 -0XA.3D70A3D70A3D8P-3 nan"); //else version (OSX) // assert(s == "1.67 -0XA.3D70A3D70A3D8P-3 nan", s); //else version (MinGW) assert(s == "1.67 -0XA.3D70A3D70A3D8P-3 nan", s); else version (CRuntime_Microsoft) assert(s == "1.67 -0X1.47AE14P+0 nan" || s == "1.67 -0X1.47AE147AE147BP+0 nan", s); // MSVCRT 14+ (VS 2015) else assert(s == "1.67 -0X1.47AE147AE147BP+0 nan", s); s = format("%x %X", 0x1234AF, 0xAFAFAFAF); assert(s == "1234af AFAFAFAF"); s = format("%b %o", 0x1234AF, 0xAFAFAFAF); assert(s == "100100011010010101111 25753727657"); s = format("%d %s", 0x1234AF, 0xAFAFAFAF); assert(s == "1193135 2947526575"); } version (TestComplex) deprecated @system unittest { string s = format("%s", 1.2 + 3.4i); assert(s == "1.2+3.4i", s); } @system unittest { import std.conv : octal; string s; int i; s = format("%#06.*f",2,12.345); assert(s == "012.35"); s = format("%#0*.*f",6,2,12.345); assert(s == "012.35"); s = format("%7.4g:", 12.678); assert(s == " 12.68:"); s = format("%7.4g:", 12.678L); assert(s == " 12.68:"); s = format("%04f|%05d|%#05x|%#5x",-4.0,-10,1,1); assert(s == "-4.000000|-0010|0x001| 0x1"); i = -10; s = format("%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(s == "-10|-10|-10|-10|-10.0000"); i = -5; s = format("%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(s == "-5| -5|-05|-5|-5.0000"); i = 0; s = format("%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(s == "0| 0|000|0|0.0000"); i = 5; s = format("%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(s == "5| 5|005|5|5.0000"); i = 10; s = format("%d|%3d|%03d|%1d|%01.4f",i,i,i,i,cast(double) i); assert(s == "10| 10|010|10|10.0000"); s = format("%.0d", 0); assert(s == ""); s = format("%.g", .34); assert(s == "0.3"); s = format("%.0g", .34); assert(s == "0.3"); s = format("%.2g", .34); assert(s == "0.34"); s = format("%0.0008f", 1e-08); assert(s == "0.00000001"); s = format("%0.0008f", 1e-05); assert(s == "0.00001000"); s = "helloworld"; string r; r = format("%.2s", s[0 .. 5]); assert(r == "he"); r = format("%.20s", s[0 .. 5]); assert(r == "hello"); r = format("%8s", s[0 .. 5]); assert(r == " hello"); byte[] arrbyte = new byte[4]; arrbyte[0] = 100; arrbyte[1] = -99; arrbyte[3] = 0; r = format("%s", arrbyte); assert(r == "[100, -99, 0, 0]"); ubyte[] arrubyte = new ubyte[4]; arrubyte[0] = 100; arrubyte[1] = 200; arrubyte[3] = 0; r = format("%s", arrubyte); assert(r == "[100, 200, 0, 0]"); short[] arrshort = new short[4]; arrshort[0] = 100; arrshort[1] = -999; arrshort[3] = 0; r = format("%s", arrshort); assert(r == "[100, -999, 0, 0]"); ushort[] arrushort = new ushort[4]; arrushort[0] = 100; arrushort[1] = 20_000; arrushort[3] = 0; r = format("%s", arrushort); assert(r == "[100, 20000, 0, 0]"); int[] arrint = new int[4]; arrint[0] = 100; arrint[1] = -999; arrint[3] = 0; r = format("%s", arrint); assert(r == "[100, -999, 0, 0]"); long[] arrlong = new long[4]; arrlong[0] = 100; arrlong[1] = -999; arrlong[3] = 0; r = format("%s", arrlong); assert(r == "[100, -999, 0, 0]"); ulong[] arrulong = new ulong[4]; arrulong[0] = 100; arrulong[1] = 999; arrulong[3] = 0; r = format("%s", arrulong); assert(r == "[100, 999, 0, 0]"); string[] arr2 = new string[4]; arr2[0] = "hello"; arr2[1] = "world"; arr2[3] = "foo"; r = format("%s", arr2); assert(r == `["hello", "world", "", "foo"]`); r = format("%.8d", 7); assert(r == "00000007"); r = format("%.8x", 10); assert(r == "0000000a"); r = format("%-3d", 7); assert(r == "7 "); r = format("%-1*d", 4, 3); assert(r == "3 "); r = format("%*d", -3, 7); assert(r == "7 "); r = format("%.*d", -3, 7); assert(r == "7"); r = format("%-1.*f", 2, 3.1415); assert(r == "3.14"); r = format("abc"c); assert(r == "abc"); //format() returns the same type as inputted. wstring wr; wr = format("def"w); assert(wr == "def"w); dstring dr; dr = format("ghi"d); assert(dr == "ghi"d); void* p = cast(void*) 0xDEADBEEF; r = format("%s", p); assert(r == "DEADBEEF"); r = format("%#x", 0xabcd); assert(r == "0xabcd"); r = format("%#X", 0xABCD); assert(r == "0XABCD"); r = format("%#o", octal!12345); assert(r == "012345"); r = format("%o", 9); assert(r == "11"); r = format("%#o", 0); // issue 15663 assert(r == "0"); r = format("%+d", 123); assert(r == "+123"); r = format("%+d", -123); assert(r == "-123"); r = format("% d", 123); assert(r == " 123"); r = format("% d", -123); assert(r == "-123"); r = format("%%"); assert(r == "%"); r = format("%d", true); assert(r == "1"); r = format("%d", false); assert(r == "0"); r = format("%d", 'a'); assert(r == "97"); wchar wc = 'a'; r = format("%d", wc); assert(r == "97"); dchar dc = 'a'; r = format("%d", dc); assert(r == "97"); byte b = byte.max; r = format("%x", b); assert(r == "7f"); r = format("%x", ++b); assert(r == "80"); r = format("%x", ++b); assert(r == "81"); short sh = short.max; r = format("%x", sh); assert(r == "7fff"); r = format("%x", ++sh); assert(r == "8000"); r = format("%x", ++sh); assert(r == "8001"); i = int.max; r = format("%x", i); assert(r == "7fffffff"); r = format("%x", ++i); assert(r == "80000000"); r = format("%x", ++i); assert(r == "80000001"); r = format("%x", 10); assert(r == "a"); r = format("%X", 10); assert(r == "A"); r = format("%x", 15); assert(r == "f"); r = format("%X", 15); assert(r == "F"); Object c = null; r = format("%s", c); assert(r == "null"); enum TestEnum { Value1, Value2 } r = format("%s", TestEnum.Value2); assert(r == "Value2"); immutable(char[5])[int] aa = ([3:"hello", 4:"betty"]); r = format("%s", aa.values); assert(r == `["hello", "betty"]` || r == `["betty", "hello"]`); r = format("%s", aa); assert(r == `[3:"hello", 4:"betty"]` || r == `[4:"betty", 3:"hello"]`); static const dchar[] ds = ['a','b']; for (int j = 0; j < ds.length; ++j) { r = format(" %d", ds[j]); if (j == 0) assert(r == " 97"); else assert(r == " 98"); } r = format(">%14d<, %s", 15, [1,2,3]); assert(r == "> 15<, [1, 2, 3]"); assert(format("%8s", "bar") == " bar"); assert(format("%8s", "b\u00e9ll\u00f4") == " b\u00e9ll\u00f4"); } @safe pure unittest // bugzilla 18205 { assert("|%8s|".format("abc") == "| abc|"); assert("|%8s|".format("αβγ") == "| αβγ|"); assert("|%8s|".format(" ") == "| |"); assert("|%8s|".format("été"d) == "| été|"); assert("|%8s|".format("été 2018"w) == "|été 2018|"); assert("%2s".format("e\u0301"w) == " e\u0301"); assert("%2s".format("a\u0310\u0337"d) == " a\u0310\u0337"); } @safe unittest { // bugzilla 3479 import std.array; auto stream = appender!(char[])(); formattedWrite(stream, "%2$.*1$d", 12, 10); assert(stream.data == "000000000010", stream.data); } @safe unittest { // bug 6893 import std.array; enum E : ulong { A, B, C } auto stream = appender!(char[])(); formattedWrite(stream, "%s", E.C); assert(stream.data == "C"); } // Used to check format strings are compatible with argument types package static const checkFormatException(alias fmt, Args...) = { import std.conv : text; try { auto n = .formattedWrite(NoOpSink(), fmt, Args.init); enforceFmt(n == Args.length, text("Orphan format arguments: args[", n, "..", Args.length, "]")); } catch (Exception e) return (e.msg == ctfpMessage) ? null : e; return null; }(); /** * Format arguments into a string. * * If the format string is fixed, passing it as a template parameter checks the * type correctness of the parameters at compile-time. This also can result in * better performance. * * Params: fmt = Format string. For detailed specification, see $(LREF formattedWrite). * args = Variadic list of arguments to format into returned string. * * Throws: * $(LREF, FormatException) if the number of arguments doesn't match the number * of format parameters and vice-versa. */ typeof(fmt) format(alias fmt, Args...)(Args args) if (isSomeString!(typeof(fmt))) { import std.array : appender; alias e = checkFormatException!(fmt, Args); alias Char = Unqual!(ElementEncodingType!(typeof(fmt))); static assert(!e, e.msg); auto w = appender!(immutable(Char)[]); // no need to traverse the string twice during compile time if (!__ctfe) { enum len = guessLength!Char(fmt); w.reserve(len); } else { w.reserve(fmt.length); } formattedWrite(w, fmt, args); return w.data; } /// Type checking can be done when fmt is known at compile-time: @safe unittest { auto s = format!"%s is %s"("Pi", 3.14); assert(s == "Pi is 3.14"); static assert(!__traits(compiles, {s = format!"%l"();})); // missing arg static assert(!__traits(compiles, {s = format!""(404);})); // surplus arg static assert(!__traits(compiles, {s = format!"%d"(4.03);})); // incompatible arg } // called during compilation to guess the length of the // result of format private size_t guessLength(Char, S)(S fmtString) { import std.array : appender; size_t len; auto output = appender!(immutable(Char)[])(); auto spec = FormatSpec!Char(fmtString); while (spec.writeUpToNextSpec(output)) { // take a guess if (spec.width == 0 && (spec.precision == spec.UNSPECIFIED || spec.precision == spec.DYNAMIC)) { switch (spec.spec) { case 'c': ++len; break; case 'd': case 'x': case 'X': len += 3; break; case 'b': len += 8; break; case 'f': case 'F': len += 10; break; case 's': case 'e': case 'E': case 'g': case 'G': len += 12; break; default: break; } continue; } if ((spec.spec == 'e' || spec.spec == 'E' || spec.spec == 'g' || spec.spec == 'G' || spec.spec == 'f' || spec.spec == 'F') && spec.precision != spec.UNSPECIFIED && spec.precision != spec.DYNAMIC && spec.width == 0 ) { len += spec.precision + 5; continue; } if (spec.width == spec.precision) len += spec.width; else if (spec.width > 0 && (spec.precision == spec.UNSPECIFIED || spec.width > spec.precision)) len += spec.width; else if (spec.precision != spec.UNSPECIFIED && spec.precision > spec.width) len += spec.precision; } len += output.data.length; return len; } @safe pure unittest { assert(guessLength!char("%c") == 1); assert(guessLength!char("%d") == 3); assert(guessLength!char("%x") == 3); assert(guessLength!char("%b") == 8); assert(guessLength!char("%f") == 10); assert(guessLength!char("%s") == 12); assert(guessLength!char("%02d") == 2); assert(guessLength!char("%02d") == 2); assert(guessLength!char("%4.4d") == 4); assert(guessLength!char("%2.4f") == 4); assert(guessLength!char("%02d:%02d:%02d") == 8); assert(guessLength!char("%0.2f") == 7); } /// ditto immutable(Char)[] format(Char, Args...)(in Char[] fmt, Args args) if (isSomeChar!Char) { import std.array : appender; auto w = appender!(immutable(Char)[]); auto n = formattedWrite(w, fmt, args); version (all) { // In the future, this check will be removed to increase consistency // with formattedWrite import std.conv : text; enforceFmt(n == args.length, text("Orphan format arguments: args[", n, "..", args.length, "]")); } return w.data; } @safe pure unittest { import core.exception; import std.exception; assertCTFEable!( { // assert(format(null) == ""); assert(format("foo") == "foo"); assert(format("foo%%") == "foo%"); assert(format("foo%s", 'C') == "fooC"); assert(format("%s foo", "bar") == "bar foo"); assert(format("%s foo %s", "bar", "abc") == "bar foo abc"); assert(format("foo %d", -123) == "foo -123"); assert(format("foo %d", 123) == "foo 123"); assertThrown!FormatException(format("foo %s")); assertThrown!FormatException(format("foo %s", 123, 456)); assert(format("hel%slo%s%s%s", "world", -138, 'c', true) == "helworldlo-138ctrue"); }); assert(is(typeof(format("happy")) == string)); assert(is(typeof(format("happy"w)) == wstring)); assert(is(typeof(format("happy"d)) == dstring)); } // https://issues.dlang.org/show_bug.cgi?id=16661 @safe unittest { assert(format("%.2f"d, 0.4) == "0.40"); assert("%02d"d.format(1) == "01"d); } /***************************************************** * Format arguments into buffer $(I buf) which must be large * enough to hold the result. * * Returns: * The slice of `buf` containing the formatted string. * * Throws: * A `RangeError` if `buf` isn't large enough to hold the * formatted string. * * A $(LREF FormatException) if the length of `args` is different * than the number of format specifiers in `fmt`. */ char[] sformat(alias fmt, Args...)(char[] buf, Args args) if (isSomeString!(typeof(fmt))) { alias e = checkFormatException!(fmt, Args); static assert(!e, e.msg); return .sformat(buf, fmt, args); } /// ditto char[] sformat(Char, Args...)(return scope char[] buf, scope const(Char)[] fmt, Args args) { import core.exception : RangeError; import std.utf : encode; size_t i; struct Sink { void put(dchar c) { char[4] enc; auto n = encode(enc, c); if (buf.length < i + n) throw new RangeError(__FILE__, __LINE__); buf[i .. i + n] = enc[0 .. n]; i += n; } void put(scope const(char)[] s) { if (buf.length < i + s.length) throw new RangeError(__FILE__, __LINE__); buf[i .. i + s.length] = s[]; i += s.length; } void put(scope const(wchar)[] s) { for (; !s.empty; s.popFront()) put(s.front); } void put(scope const(dchar)[] s) { for (; !s.empty; s.popFront()) put(s.front); } } auto n = formattedWrite(Sink(), fmt, args); version (all) { // In the future, this check will be removed to increase consistency // with formattedWrite import std.conv : text; enforceFmt( n == args.length, text("Orphan format arguments: args[", n, " .. ", args.length, "]") ); } return buf[0 .. i]; } /// The format string can be checked at compile-time (see $(LREF format) for details): @system unittest { char[10] buf; assert(buf[].sformat!"foo%s"('C') == "fooC"); assert(sformat(buf[], "%s foo", "bar") == "bar foo"); } @system unittest { import core.exception; debug(string) trustedPrintf("std.string.sformat.unittest\n"); import std.exception; assertCTFEable!( { char[10] buf; assert(sformat(buf[], "foo") == "foo"); assert(sformat(buf[], "foo%%") == "foo%"); assert(sformat(buf[], "foo%s", 'C') == "fooC"); assert(sformat(buf[], "%s foo", "bar") == "bar foo"); assertThrown!RangeError(sformat(buf[], "%s foo %s", "bar", "abc")); assert(sformat(buf[], "foo %d", -123) == "foo -123"); assert(sformat(buf[], "foo %d", 123) == "foo 123"); assertThrown!FormatException(sformat(buf[], "foo %s")); assertThrown!FormatException(sformat(buf[], "foo %s", 123, 456)); assert(sformat(buf[], "%s %s %s", "c"c, "w"w, "d"d) == "c w d"); }); } /***************************** * The .ptr is unsafe because it could be dereferenced and the length of the array may be 0. * Returns: * the difference between the starts of the arrays */ @trusted private pure nothrow @nogc ptrdiff_t arrayPtrDiff(T)(const T[] array1, const T[] array2) { return array1.ptr - array2.ptr; } @safe unittest { assertCTFEable!({ auto tmp = format("%,d", 1000); assert(tmp == "1,000", "'" ~ tmp ~ "'"); tmp = format("%,?d", 'z', 1234567); assert(tmp == "1z234z567", "'" ~ tmp ~ "'"); tmp = format("%10,?d", 'z', 1234567); assert(tmp == " 1z234z567", "'" ~ tmp ~ "'"); tmp = format("%11,2?d", 'z', 1234567); assert(tmp == " 1z23z45z67", "'" ~ tmp ~ "'"); tmp = format("%11,*?d", 2, 'z', 1234567); assert(tmp == " 1z23z45z67", "'" ~ tmp ~ "'"); tmp = format("%11,*d", 2, 1234567); assert(tmp == " 1,23,45,67", "'" ~ tmp ~ "'"); tmp = format("%11,2d", 1234567); assert(tmp == " 1,23,45,67", "'" ~ tmp ~ "'"); }); } @safe unittest { auto tmp = format("%,f", 1000.0); assert(tmp == "1,000.000,000", "'" ~ tmp ~ "'"); tmp = format("%,f", 1234567.891011); assert(tmp == "1,234,567.891,011", "'" ~ tmp ~ "'"); tmp = format("%,f", -1234567.891011); assert(tmp == "-1,234,567.891,011", "'" ~ tmp ~ "'"); tmp = format("%,2f", 1234567.891011); assert(tmp == "1,23,45,67.89,10,11", "'" ~ tmp ~ "'"); tmp = format("%18,f", 1234567.891011); assert(tmp == " 1,234,567.891,011", "'" ~ tmp ~ "'"); tmp = format("%18,?f", '.', 1234567.891011); assert(tmp == " 1.234.567.891.011", "'" ~ tmp ~ "'"); tmp = format("%,?.3f", 'ä', 1234567.891011); assert(tmp == "1ä234ä567.891", "'" ~ tmp ~ "'"); tmp = format("%,*?.3f", 1, 'ä', 1234567.891011); assert(tmp == "1ä2ä3ä4ä5ä6ä7.8ä9ä1", "'" ~ tmp ~ "'"); tmp = format("%,4?.3f", '_', 1234567.891011); assert(tmp == "123_4567.891", "'" ~ tmp ~ "'"); tmp = format("%12,3.3f", 1234.5678); assert(tmp == " 1,234.568", "'" ~ tmp ~ "'"); tmp = format("%,e", 3.141592653589793238462); assert(tmp == "3.141,593e+00", "'" ~ tmp ~ "'"); tmp = format("%15,e", 3.141592653589793238462); assert(tmp == " 3.141,593e+00", "'" ~ tmp ~ "'"); tmp = format("%15,e", -3.141592653589793238462); assert(tmp == " -3.141,593e+00", "'" ~ tmp ~ "'"); tmp = format("%.4,*e", 2, 3.141592653589793238462); assert(tmp == "3.14,16e+00", "'" ~ tmp ~ "'"); tmp = format("%13.4,*e", 2, 3.141592653589793238462); assert(tmp == " 3.14,16e+00", "'" ~ tmp ~ "'"); tmp = format("%,.0f", 3.14); assert(tmp == "3", "'" ~ tmp ~ "'"); tmp = format("%3,g", 1_000_000.123456); assert(tmp == "1e+06", "'" ~ tmp ~ "'"); tmp = format("%19,?f", '.', -1234567.891011); assert(tmp == " -1.234.567.891.011", "'" ~ tmp ~ "'"); } // Test for multiple indexes @safe unittest { auto tmp = format("%2:5$s", 1, 2, 3, 4, 5); assert(tmp == "2345", tmp); } // Issue 18047 @safe unittest { auto cmp = " 123,456"; assert(cmp.length == 12, format("%d", cmp.length)); auto tmp = format("%12,d", 123456); assert(tmp.length == 12, format("%d", tmp.length)); assert(tmp == cmp, "'" ~ tmp ~ "'"); } // Issue 17459 @safe unittest { auto cmp = "100"; auto tmp = format("%0d", 100); assert(tmp == cmp, tmp); cmp = "0100"; tmp = format("%04d", 100); assert(tmp == cmp, tmp); cmp = "0000,000,100"; tmp = format("%012,3d", 100); assert(tmp == cmp, tmp); cmp = "0000,001,000"; tmp = format("%012,3d", 1_000); assert(tmp == cmp, tmp); cmp = "0000,100,000"; tmp = format("%012,3d", 100_000); assert(tmp == cmp, tmp); cmp = "0001,000,000"; tmp = format("%012,3d", 1_000_000); assert(tmp == cmp, tmp); cmp = "0100,000,000"; tmp = format("%012,3d", 100_000_000); assert(tmp == cmp, tmp); } // Issue 17459 @safe unittest { auto cmp = "100,000"; auto tmp = format("%06,d", 100_000); assert(tmp == cmp, tmp); cmp = "100,000"; tmp = format("%07,d", 100_000); assert(tmp == cmp, tmp); cmp = "0100,000"; tmp = format("%08,d", 100_000); assert(tmp == cmp, tmp); }
D
module evael.ecs.entity_manager; import evael.ecs.entity; import evael.ecs.component_pool; import evael.ecs.component_counter; import evael.lib.containers.array; alias BoolArray = Array!bool; class EntityManager : NoGCClass { enum COMPONENTS_POOL_SIZE = 50; /// [ Component1[entity1, entity2...] , Component2[entity1, entity2...] ...] private Array!IComponentPool m_components; /// [ Entity1[component1, component2...] , Entity2[component1, component2...] ...] private Array!BoolArray m_componentsMasks; private Array!size_t m_freeIds; private size_t m_currentIndex; /** * EntityManager constructor. */ @nogc public this() nothrow { this.m_components = Array!IComponentPool(COMPONENTS_POOL_SIZE); } /** * EntityManager destructor. */ @nogc public ~this() { foreach (i, maskArray; this.m_componentsMasks) { maskArray.dispose(); } this.m_components.dispose(); this.m_componentsMasks.dispose(); this.m_freeIds.dispose(); } /** * Creates an entity. */ @nogc public Entity createEntity() { auto id = Id(); if (this.m_freeIds.empty) { id.index = this.m_currentIndex; this.initializeEntityData(id.index); } else { id.index = this.m_freeIds.back; this.m_freeIds.removeBack(); } return Entity(this, id); } /** * Adds a component for an entity. * Params: * entity : * component : */ @nogc public void addComponent(C)(in ref Entity entity, C component) { immutable componentId = this.checkAndRegisterComponent!C(); // Adding the component in the pool auto pool = cast(ComponentPool!C) this.m_components[componentId]; assert(pool !is null, "pool is null for component " ~ C.stringof); pool.set(entity.id.index, component); // Set the mask this.m_componentsMasks[entity.id.index][componentId] = true; } /** * Retrieves a specific component of an entity. * Params: * entity : */ @nogc public C* getComponent(C)(in ref Entity entity) { immutable componentId = this.checkAndRegisterComponent!C(); auto pool = cast(ComponentPool!C) this.m_components[componentId]; return pool.get(entity.id.index); } /** * Checks if an entity owns a specific component. * Params: * entity : */ @nogc public bool hasComponent(C)(in ref Entity entity) { immutable componentId = this.checkAndRegisterComponent!C(); return this.m_componentsMasks[entity.id.index][componentId] != false; } /** * Checks if a component is already known. */ @nogc public int checkAndRegisterComponent(C)() { immutable componentId = ComponentCounter!(C).getId(); if (this.m_components.length <= componentId) { // Not know yet, we register it this.registerComponent!C(componentId); } return componentId; } /** * Kills an entity. * Params: * entity : */ @nogc public void killEntity(ref Entity entity) nothrow { immutable index = entity.id.index; entity.invalidate(); this.m_componentsMasks[index][] = false; this.m_freeIds.insert(index); } /** * Returns a range containing entities with the specified components. */ @nogc public Array!Entity getEntitiesWith(Components...)() { Array!Entity entities; if (this.m_components.length == 0) { return entities; } import std.bitmanip : BitArray; auto askedComponentsMask = this.getComponentsMask!Components(); for (size_t i = 0; i < this.m_currentIndex; i++) { auto entityComponentsMask = this.m_componentsMasks[i]; auto combinedMask = BoolArray(askedComponentsMask.length, false); combinedMask.data[] = entityComponentsMask.data[] & askedComponentsMask.data[]; if (combinedMask == askedComponentsMask) { entities.insert(Entity(this, Id(i))); } combinedMask.dispose(); } askedComponentsMask.dispose(); return entities; } /** * Returns components masks of an entity. * Params: * entity : */ @nogc public bool[] getEntityComponentsMasks(in ref Entity entity) nothrow { return this.m_componentsMasks[entity.id.index][]; } /** * Initializes arrays of components / masks for a specific entity. * Params: * index : entity index */ @nogc private void initializeEntityData(in size_t index) { immutable nextIndex = index + 1; if (index >= this.m_currentIndex) { // Expand component mask array if (this.m_componentsMasks.length < nextIndex) { auto mask = BoolArray(this.m_components.length(), false); this.m_componentsMasks.insert(mask); } // Expand all component arrays if (this.m_components.length > 0 && this.m_components[0].length < nextIndex) { foreach (i, componentPool; this.m_components) { componentPool.expand(); } } } this.m_currentIndex = nextIndex; } /** * Registers a component. * Params: * componentId : */ @nogc private void registerComponent(C)(in int componentId) { // Expanding component pool auto componentPool = MemoryHelper.create!(ComponentPool!C)(this.m_currentIndex); this.m_components.insert(componentPool); // Expanding all components masks to include a new component if (this.m_componentsMasks.length > 0 && this.m_componentsMasks[0].length <= componentId) { foreach (ref componentMask; this.m_componentsMasks) { componentMask.insert(false); } } } /** * Returns a mask with the specified components. */ public BoolArray getComponentsMask(Components...)() { auto mask = BoolArray(this.m_components.length(), false); foreach (component; Components) { immutable componentId = ComponentCounter!(component).getId(); // We check if that component is known if(this.m_components.length <= componentId) { // Nop, register it this.registerComponent!component(componentId); mask.insert(true); } else mask[componentId] = true; } return mask; } }
D
// Written in the D programming language. // Written in the D programming language. // MGW Мохов Геннадий Владимирович 2016 /* Slots: void Slot_AN(); --> "Slot_AN()" // void call(Aдркласса, Nчисло); void Slot_ANI(int); --> "Slot_ANI(int)" // void call(Aдркласса, Nчисло, int); void Slot_ANII(int, int); --> "Slot_ANII(int, int)" // void call(Aдркласса, Nчисло, int, int); void Slot_ANII(int, int, int);--> "Slot_ANIII(int, int, int)" // void call(Aдркласса, Nчисло, int, int, int); void Slot_ANB(bool); --> "Slot_ANB(bool)" // void call(Aдркласса, Nчисло, bool); void Slot_ANQ(QObject*); --> "Slot_ANQ(QObject*)" // void call(Aдркласса, Nчисло, QObject*); Signals: void Signal_V(); --> "Signal_V()" // Сигнал без параметра void Signal_VI(int); --> "Signal_VI(int)" // Сигнал с int void Signal_VS(QString); --> "Signal_VS(QString)" // Сигнал с QString */ module qte5; import std.conv; // Convert to string import std.utf: encode; // Отладка import std.stdio; int verQt5Eu = 0; int verQt5El = 13; string verQt5Ed = "02.010.19 13:35"; // + QML + QScintilla alias PTRINT = int; alias PTRUINT = uint; struct QtObj__ { PTRINT dummy; } alias QtObjH = QtObj__*; enum maxLength_pFunQt = 1000; private void*[maxLength_pFunQt] pFunQt; /// Масив указателей на функции из DLL private uint maxValueInPFunQt; void copyFunQt(void* adr) { void*[maxLength_pFunQt]* aMas = cast(void*[maxLength_pFunQt]*)adr; for(int i; i != maxLength_pFunQt; i++) pFunQt[i] = (*aMas)[i]; for(int i; i != 10; i++) writeln(i, " = ", pFunQt[i]); } string verQtE5() { string verQtE5; import std.string: format; verQtE5 = format("QtE5 [%d] ver: %s.%s %s", size_t.sizeof * 8, verQt5El, verQt5Eu, verQt5Ed ); return verQtE5; } immutable int QMETHOD = 0; // member type codes immutable int QSLOT = 1; immutable int QSIGNAL = 2; // ----- Описание типов, фактически указание компилятору как вызывать ----- // ----- The description of types, actually instructions to the compiler how to call ----- // Give type Qt. There is an implicit transformation. cast (GetObjQt_t) Z == *Z on any type. // alias GetObjQt_t = void**; // Дай тип Qt. Происходит неявное преобразование. cast(GetObjQt_t)Z == *Z на любой тип. private { import std.string : split; static mesNoThisWitoutPar = " without parameters is forbidden!"; // Generate alias for types call function Qt string generateAlias(string ind) { string rez; string[string] v; v["v"]="void";v[""]="";v["t"]="t";v["qp"]="QtObjH";v["i"]="int"; v["ui"]="uint";v["c"]="char";v["vp"]="void*";v["b"]="bool";v["cp"]="char*"; v["ip"]="int*";v["vpp"]="void**";v["bool"]="bool";v["us"]="ushort";v["l"]="long"; auto mas = split(ind, '_'); rez = "alias " ~ ind ~ " = extern (C) nothrow @nogc " ~ v[mas[1]] ~ " function("; foreach(i, el; mas) if(i > 2) rez ~= v[el] ~ ", "; rez = rez[0 .. $-2]; rez ~= ");"; return rez; } //in: n = nomer function (12), name = name func in library (funCreateQWidget), nameAliasLib = short name DLL/SO (Script) //out: funQt(12,bQtE5Script,hQtE5Script,sQtE5Script,"funCreateQWidget", showError); string generateFunQt(int n, string name, string nameAliasLib) { enum s = "QtE5"; return "funQt("~to!string(n)~",b"~s~nameAliasLib~",h"~s~ nameAliasLib~",s"~s~nameAliasLib~`,"`~name~`"`~",showError);"; } alias t_QObject_connect = extern (C) @nogc void function(void*, char*, void*, char*, int); alias t_QObject_disconnect = extern (C) @nogc void function(void*, char*, void*, char*); mixin(generateAlias("t_v__i")); mixin(generateAlias("t_v__qp")); mixin(generateAlias("t_v__qp_qp")); mixin(generateAlias("t_v__qp_vp")); mixin(generateAlias("t_v__qp_i")); mixin(generateAlias("t_v__qp_i_i_ui")); mixin(generateAlias("t_v__vp_c")); mixin(generateAlias("t_v__qp_ui")); mixin(generateAlias("t_vp__qp")); mixin(generateAlias("t_v__vp_vp_vp")); mixin(generateAlias("t_v__vp_vp_vp_vp")); mixin(generateAlias("t_v__qp_i_i")); mixin(generateAlias("t_v__qp_qp_i_i")); mixin(generateAlias("t_v__qp_qp_i_i_i")); mixin(generateAlias("t_v__qp_qp_i_i_i_i")); mixin(generateAlias("t_v__qp_qp_i_i_i_i_i")); mixin(generateAlias("t_b__vp")); mixin(generateAlias("t_b__qp")); mixin(generateAlias("t_b__qp_qp")); mixin(generateAlias("t_b__qp_qp_qp")); mixin(generateAlias("t_b__qp_qp_qp_i")); mixin(generateAlias("t_b__qp_qp_i")); mixin(generateAlias("t_b__qp_i")); mixin(generateAlias("t_b__qp_i_i_i")); mixin(generateAlias("t_b__qp_i_i")); mixin(generateAlias("t_b__qp_qp_i_i")); mixin(generateAlias("t_v__qp_qp_i")); mixin(generateAlias("t_v__qp_qp_qp_i")); mixin(generateAlias("t_v__qp_qp_qp_i_i")); mixin(generateAlias("t_v__qp_qp_qp")); mixin(generateAlias("t_v__qp_qp_qp_qp_i")); mixin(generateAlias("t_i__qp_qp_qp")); mixin(generateAlias("t_v__qp_i_i_i_i_i")); mixin(generateAlias("t_v__qp_ip_ip_ip_ip")); mixin(generateAlias("t_v__vp_vp_i")); mixin(generateAlias("t_i__vp_vp_vp")); mixin(generateAlias("t_i__vp_i")); mixin(generateAlias("t_i__qp_i")); mixin(generateAlias("t_i__qp_qp")); mixin(generateAlias("t_i__qp_i_i")); mixin(generateAlias("t_i__qp_qp_i")); mixin(generateAlias("t_qp__qp_qp")); mixin(generateAlias("t_vp__vp_c_i")); mixin(generateAlias("t_vp__vp_cp_i")); mixin(generateAlias("t_i__qp_qp_qp_i_i")); mixin(generateAlias("t_vpp__vp")); mixin(generateAlias("t_qp__qp")); mixin(generateAlias("t_qp__ui")); mixin(generateAlias("t_qp__vp")); mixin(generateAlias("t_vp__vp")); mixin(generateAlias("t_vp__vp_i_i")); mixin(generateAlias("t_vp__vp_i_vp")); mixin(generateAlias("t_vp__vp_vp_i")); mixin(generateAlias("t_qp__qp_qp_i")); mixin(generateAlias("t_vp__vp_i")); mixin(generateAlias("t_qp__qp_i")); mixin(generateAlias("t_qp__qp_b")); mixin(generateAlias("t_ui__qp_i_i")); mixin(generateAlias("t_ui__qp")); mixin(generateAlias("t_qp__qp_i_i")); alias t_vp__v = extern (C) @nogc void* function(); alias t_qp__v = extern (C) @nogc QtObjH function(); mixin(generateAlias("t_i__vp")); mixin(generateAlias("t_i__qp")); mixin(generateAlias("t_v__qp_b_i_i")); mixin(generateAlias("t_v__qp_b_i")); mixin(generateAlias("t_vp__i_i")); mixin(generateAlias("t_qp__i_i")); mixin(generateAlias("t_qp__i_i_i")); mixin(generateAlias("t_qp__i")); mixin(generateAlias("t_vp__i_i_i_i")); // mixin(generateAlias("t_v__vp_i_bool")); mixin(generateAlias("t_v__vp_i_i_i_i")); mixin(generateAlias("t_v__qp_i_i_i_i")); mixin(generateAlias("t_v__qp_i_i_i")); mixin(generateAlias("t_v__vp_i_i_vp")); mixin(generateAlias("t_v__i_vp_vp")); // mixin(generateAlias("t_vp__vp_vp_bool")); // mixin(generateAlias("t_vp__i_vp_bool")); alias t_i__v = extern (C) @nogc int function(); // mixin(generateAlias("t_i__vp_vbool_i")); mixin(generateAlias("t_vp__vp_i_vp_i")); mixin(generateAlias("t_vp__vp_i_i_vp")); mixin(generateAlias("t_vp__vp_vp_i_i")); mixin(generateAlias("t_i__vp_vp_i_i")); mixin(generateAlias("t_vp__vp_vp_us_i")); mixin(generateAlias("t_v__vp_vp_us_i")); mixin(generateAlias("t_bool__vp")); mixin(generateAlias("t_bool__vp_c")); mixin(generateAlias("t_bool__vp_vp")); mixin(generateAlias("t_v__qp_bool")); mixin(generateAlias("t_v__qp_b")); mixin(generateAlias("t_v__vp_i_vp_us_i")); mixin(generateAlias("t_vp__vp_vp_vp")); mixin(generateAlias("t_l__vp_vp_l")); mixin(generateAlias("t_l__vp")); mixin(generateAlias("t_vp__vp_vp_vp_vp_vp_vp_vp")); mixin(generateAlias("t_vp__vp_vp_vp_vp_vp_vp_vp_vp")); alias t_ub__qp = extern (C) @nogc ubyte* function(QtObjH); alias t_uwc__qp = extern (C) @nogc wchar* function(QtObjH); } version (Windows) { private import core.sys.windows.windows: GetProcAddress; } version (linux) { private import core.sys.posix.dlfcn: dlopen, dlsym, RTLD_GLOBAL, RTLD_LAZY; // На Linux эти функции не определены в core.runtime, вот и пришлось дописать. // странно, почему их там нет... Похоже они в основном Windows крутят. // On Linux these functions aren't defined in core.runtime, here and it was necessary to add. // It is strange why they aren't present there... // Probably they in the main Windows twist. private extern (C) void* rt_loadLibrary(const char* name) { return dlopen(name, RTLD_GLOBAL || RTLD_LAZY); } private void* GetProcAddress(void* hLib, const char* nameFun) { return dlsym(hLib, nameFun); } } version (OSX) { private import core.sys.posix.dlfcn: dlopen, dlsym, RTLD_GLOBAL, RTLD_LAZY; // На Linux эти функции не определены в core.runtime, вот и пришлось дописать. // странно, почему их там нет... Похоже они в основном Windows крутят. // On Linux these functions aren't defined in core.runtime, here and it was necessary to add. // It is strange why they aren't present there... // Probably they in the main Windows twist. private extern (C) void* rt_loadLibrary(const char* name) { return dlopen(name, RTLD_GLOBAL || RTLD_LAZY); } private void* GetProcAddress(void* hLib, const char* nameFun) { return dlsym(hLib, nameFun); } } // Загрузить DLL. Load DLL (.so) private void* GetHlib(T)(T name) { import core.runtime; return Runtime.loadLibrary(name); } // Найти адреса функций в DLL. To find addresses of executed out functions in DLL private void* GetPrAddress(T)(bool isLoad, void* hLib, T nameFun) { if(!hLib) writeln(nameFun, " -- ", hLib); if(!hLib) return null; // // Искать или не искать функцию. Find or not find function in library if (isLoad) return GetProcAddress(hLib, nameFun.ptr); return cast(void*) 1; } // Сообщить об ошибке загрузки. Message on error. private void MessageErrorLoad(bool showError, string s, string nameDll = "" ) { if (showError) { if (!nameDll.length) writeln("Error load: " ~ s); else writeln("Error find function: " ~ nameDll ~ " ---> " ~ s); } else { if (!nameDll.length) writeln("Load: " ~ s); else writeln("Find function: " ~ nameDll ~ " ---> " ~ s); } } /// Message on error. s - text error, sw=1 - error load dll and sw=2 - error find function char* MSS(string s, int n) { if (n == QMETHOD) return cast(char*)("0" ~ s ~ "\0").ptr; if (n == QSLOT) return cast(char*)("1" ~ s ~ "\0").ptr; if (n == QSIGNAL) return cast(char*)("2" ~ s ~ "\0").ptr; return null; } /// Моделирует макросы QT. Model macros Qt. For n=2->SIGNAL(), n=1->SLOT(), n=0->METHOD(). // Qt5Core & Qt5Gui & Qt5Widgets - Are loaded always enum dll { QtE5Widgets = 1, QtE5Script = 2, QtE5Web = 4, QtE5WebEng = 8, QtEQml = 16, QtE5Qscintilla = 32 } /// Загрузка DLL. Необходимо выбрать какие грузить. Load DLL, we mast change load // Найти и сохранить адрес функции DLL void funQt(int n, bool b, void* h, string s, string name, bool she) { if(!h) return; // { MessageErrorLoad(she, s, "no DLL/SO for function " ~ name); writeln("add in LoadQt(... + "~ s ~" + ...)"); return; } pFunQt[n] = GetPrAddress(b, h, name); if (!pFunQt[n]) MessageErrorLoad(she, name, s); maxValueInPFunQt = n; // writeln(name, " ", pFunQt[n]); } int LoadQt(dll ldll, bool showError) { /// Загрузить DLL-ки Qt и QtE bool bCore5, bGui5, bWidget5, bQtE5Widgets, bQtE5Script, bQtE5Web, bQtE5WebEng, bQtE5Qml, bQtE5Qscintilla; string sCore5, sGui5, sWidget5, sQtE5Widgets, sQtE5Script, sQtE5Web, sQtE5WebEng, sQtE5Qml, sQtE5Qscintilla; void* hCore5, hGui5, hWidget5, hQtE5Widgets, hQtE5Script, hQtE5Web, hQtE5WebEng, hQtE5Qml, hQtE5Qscintilla; // Add path to directory with real file Qt5 DLL version (Windows) { version (X86) { // ... 32 bit code ... sCore5 = "Qt5Core.dll"; sGui5 = "Qt5Gui.dll"; sWidget5 = "Qt5Widgets.dll"; sQtE5Widgets = "QtE5Widgets32.dll"; sQtE5Script = "QtE5Script32.dll"; sQtE5Web = "QtE5Web32.dll"; sQtE5WebEng = "QtE5WebEng32.so"; sQtE5Qml = "QtE5Qml32.dll"; sQtE5Qscintilla = "QtE5Qscintilla32.dll"; } version (X86_64) { // ... 64 bit code sCore5 = "Qt5Core.dll"; sGui5 = "Qt5Gui.dll"; sWidget5 = "Qt5Widgets.dll"; sQtE5Widgets = "QtE5Widgets64.dll"; sQtE5Script = "QtE5Script64.dll"; sQtE5Web = "QtE5Web64.dll"; sQtE5WebEng = "QtE5WebEng64.so"; sQtE5Qml = "QtE5Qml64.dll"; sQtE5Qscintilla = "QtE5Qscintilla64.dll"; } } // Use symlink for create link on real file Qt5 version (linux) { version (X86) { // ... 32 bit code ... sCore5 = "libQt5Core.so"; sGui5 = "libQt5Gui.so"; sWidget5 = "libQt5Widgets.so"; sQtE5Widgets = "libQtE5Widgets32.so"; sQtE5Script = "libQtE5Script32.so"; sQtE5Web = "libQtE5Web32.so"; sQtE5WebEng = "libQtE5WebEng32.so"; sQtE5Qml = "libQtE5Qml64.so"; sQtE5Qscintilla = "libQtE5Qscintilla64.so"; } version (X86_64) { // ... 64 bit code sCore5 = "libQt5Core.so"; sGui5 = "libQt5Gui.so"; sWidget5 = "libQt5Widgets.so"; sQtE5Widgets = "libQtE5Widgets64.so"; sQtE5Script = "libQtE5Script64.so"; sQtE5Web = "libQtE5Web64.so"; sQtE5WebEng = "libQtE5WebEng64.so"; sQtE5Qml = "libQtE5Qml64.so"; sQtE5Qscintilla = "libQtE5Qscintilla64.so"; } } // Use symlink for create link on real file Qt5 // Only 64 bit version Mac OS X (10.9.5 Maveric) version (OSX) { string[] libs = ["QtCore", "QtGui", "QtWidgets", "QtDBus" , "QtPrintSupport" /* ,"libqcocoa.dylib" */ ]; foreach(l; libs) { void* h = GetHlib(l); } // sCore5 = "QtCore"; // sGui5 = "QtGui"; // sWidget5 = "QtWidgets"; sQtE5Widgets = "libQtE5Widgets64.dylib"; sQtE5Script = "libQtE5Script64.dylib"; sQtE5Web = "libQtE5Web64.dylib"; sQtE5WebEng = "libQtE5WebEng64.dylib"; sQtE5Qml = "libQtE5Qml64.dylib"; sQtE5Qscintilla = "libQtE5Qscintilla64.dylib"; } // Если на входе указана dll.QtE5Widgets то автоматом надо грузить и bCore5, bGui5, bWidget5 // If on an input it is specified dll.QtE5Widgets then automatic loaded bCore5, bGui5, bWidget5 bQtE5Widgets = cast(bool)(ldll & dll.QtE5Widgets); if(bQtE5Widgets) { bCore5 = true; bGui5 = true; bWidget5 = true; } bQtE5Script = cast(bool)(ldll & dll.QtE5Script); bQtE5Web = cast(bool)(ldll & dll.QtE5Web); bQtE5Web = cast(bool)(ldll & dll.QtE5Web); bQtE5WebEng = cast(bool)(ldll & dll.QtE5WebEng); bQtE5Qscintilla = cast(bool)(ldll & dll.QtE5Qscintilla); // Load library in memory if (bCore5) { // hCore5 = GetHlib(sCore5); if (!hCore5) { MessageErrorLoad(showError, sCore5); return 1; } } if (bGui5) { // hGui5 = GetHlib(sGui5); if (!hGui5) { MessageErrorLoad(showError, sGui5); return 1; } } if (bWidget5) { // hWidget5 = GetHlib(sWidget5); if (!hWidget5) { MessageErrorLoad(showError, sWidget5); return 1; } } if (bQtE5Widgets) { hQtE5Widgets = GetHlib(sQtE5Widgets); if (!hQtE5Widgets) { MessageErrorLoad(showError, sQtE5Widgets); return 1; } } if (bQtE5Script) { hQtE5Script = GetHlib(sQtE5Script); if (!hQtE5Script) { MessageErrorLoad(showError, sQtE5Script); return 1; } } if (bQtE5Web) { hQtE5Web = GetHlib(sQtE5Web); if (!hQtE5Web) { MessageErrorLoad(showError, sQtE5Web); return 1; } } if (bQtE5WebEng) { hQtE5WebEng = GetHlib(sQtE5WebEng); if (!hQtE5WebEng) { MessageErrorLoad(showError, sQtE5WebEng); return 1; } } if (bQtE5Qml) { hQtE5Qml = GetHlib(sQtE5Qml); if (!hQtE5Qml) { MessageErrorLoad(showError, sQtE5Qml); return 1; } } if (bQtE5Qscintilla) { hQtE5Qscintilla = GetHlib(sQtE5Qscintilla); if (!hQtE5Qscintilla) { MessageErrorLoad(showError, sQtE5Qscintilla); return 1; } } // Find name function in DLL // ------- QObject ------- mixin(generateFunQt(344, "qteQObject_parent","Widgets")); // ------- QApplication ------- mixin(generateFunQt( 0, "qteQApplication_create1" ,"Widgets")); mixin(generateFunQt( 1, "qteQApplication_exec" ,"Widgets")); mixin(generateFunQt( 2, "qteQApplication_aboutQt" ,"Widgets")); mixin(generateFunQt( 3, "qteQApplication_delete1" ,"Widgets")); mixin(generateFunQt( 4, "qteQApplication_sizeof" ,"Widgets")); mixin(generateFunQt( 20, "qteQApplication_appDirPath" ,"Widgets")); mixin(generateFunQt( 21, "qteQApplication_appFilePath" ,"Widgets")); mixin(generateFunQt( 273, "qteQApplication_quit" ,"Widgets")); mixin(generateFunQt( 368, "qteQApplication_processEvents" ,"Widgets")); mixin(generateFunQt( 276, "qteQApplication_exit" ,"Widgets")); mixin(generateFunQt( 277, "qteQApplication_setStyleSheet" ,"Widgets")); // ------- QWidget ------- mixin(generateFunQt( 5, "qteQWidget_create1" ,"Widgets")); mixin(generateFunQt( 6, "qteQWidget_setVisible" ,"Widgets")); mixin(generateFunQt( 7, "qteQWidget_delete1" ,"Widgets")); mixin(generateFunQt( 11, "qteQWidget_setWindowTitle" ,"Widgets")); mixin(generateFunQt( 12, "qteQWidget_isVisible" ,"Widgets")); mixin(generateFunQt( 30, "qteQWidget_setStyleSheet" ,"Widgets")); mixin(generateFunQt( 31, "qteQWidget_setMMSize" ,"Widgets")); mixin(generateFunQt( 32, "qteQWidget_setEnabled" ,"Widgets")); mixin(generateFunQt( 33, "qteQWidget_setToolTip" ,"Widgets")); mixin(generateFunQt( 40, "qteQWidget_setLayout" ,"Widgets")); mixin(generateFunQt( 78, "qteQWidget_setSizePolicy" ,"Widgets")); mixin(generateFunQt( 79, "qteQWidget_setMax1" ,"Widgets")); mixin(generateFunQt( 87, "qteQWidget_exWin1" ,"Widgets")); mixin(generateFunQt( 94, "qteQWidget_exWin2" ,"Widgets")); mixin(generateFunQt( 49, "qteQWidget_setKeyPressEvent" ,"Widgets")); mixin(generateFunQt( 50, "qteQWidget_setPaintEvent" ,"Widgets")); mixin(generateFunQt( 51, "qteQWidget_setCloseEvent" ,"Widgets")); mixin(generateFunQt( 52, "qteQWidget_setResizeEvent" ,"Widgets")); mixin(generateFunQt( 131, "qteQWidget_setFont" ,"Widgets")); mixin(generateFunQt( 148, "qteQWidget_winId" ,"Widgets")); mixin(generateFunQt( 172, "qteQWidget_getPr" ,"Widgets")); mixin(generateFunQt( 259, "qteQWidget_getBoolXX" ,"Widgets")); mixin(generateFunQt( 279, "qteQWidget_setGeometry" ,"Widgets")); mixin(generateFunQt( 280, "qteQWidget_contentsRect" ,"Widgets")); // ------- QString ------- mixin(generateFunQt( 8, "qteQString_create1" ,"Widgets")); mixin(generateFunQt( 9, "qteQString_create2" ,"Widgets")); mixin(generateFunQt( 10, "qteQString_delete" ,"Widgets")); mixin(generateFunQt( 18, "qteQString_data" ,"Widgets")); mixin(generateFunQt( 19, "qteQString_size" ,"Widgets")); mixin(generateFunQt( 281, "qteQString_sizeOf" ,"Widgets")); // ------- QColor ------- mixin(generateFunQt( 13, "qteQColor_create1" ,"Widgets")); mixin(generateFunQt( 14, "qteQColor_delete" ,"Widgets")); mixin(generateFunQt( 15, "qteQColor_setRgb" ,"Widgets")); mixin(generateFunQt( 320, "qteQColor_getRgb" ,"Widgets")); mixin(generateFunQt( 322, "qteQColor_rgb" ,"Widgets")); mixin(generateFunQt( 323, "qteQColor_setRgb2" ,"Widgets")); mixin(generateFunQt( 324, "qteQColor_create2" ,"Widgets")); // ------- QPalette ------- mixin(generateFunQt( 16, "qteQPalette_create1" ,"Widgets")); mixin(generateFunQt( 17, "qteQPalette_delete" ,"Widgets")); // ------- QPushButton ------- mixin(generateFunQt( 22, "qteQPushButton_create1" ,"Widgets")); mixin(generateFunQt( 23, "qteQPushButton_delete" ,"Widgets")); mixin(generateFunQt( 210, "qteQPushButton_setXX" ,"Widgets")); // ------- QWebView ------- mixin(generateFunQt( 24, "qteQWebView_create" ,"Web")); mixin(generateFunQt( 25, "qteQWebView_delete" ,"Web")); mixin(generateFunQt( 26, "qteQWebView_load" ,"Web")); // ------- QUrl ------- mixin(generateFunQt( 81, "qteQUrl_create" ,"Widgets")); mixin(generateFunQt( 173, "qteQUrl_delete" ,"Widgets")); mixin(generateFunQt( 444, "qteQUrl_setUrl" ,"Widgets")); // ------- QSlot ------- // funQt(xx, bQtE5Widgets, hQtE5Widgets, sQtE5Widgets, "qteQSlot_create", showError); // funQt(xx, bQtE5Widgets, hQtE5Widgets, sQtE5Widgets, "QSlot_setSlotN", showError); // funQt(xx, bQtE5Widgets, hQtE5Widgets, sQtE5Widgets, "qteQSlot_delete", showError); mixin(generateFunQt( 27, "qteConnect" ,"Widgets")); mixin(generateFunQt( 343, "qteDisconnect" ,"Widgets")); // funQt(xx, bQtE5Widgets, hQtE5Widgets, sQtE5Widgets, "QSlot_setSlotN2", showError); // ------- QAbstractButton ------- mixin(generateFunQt( 28, "qteQAbstractButton_setText" ,"Widgets")); mixin(generateFunQt( 29, "qteQAbstractButton_text" ,"Widgets")); mixin(generateFunQt( 209, "qteQAbstractButton_setXX" ,"Widgets")); mixin(generateFunQt( 211, "qteQAbstractButton_setIcon" ,"Widgets")); mixin(generateFunQt( 224, "qteQAbstractButton_getXX" ,"Widgets")); // ------- QLayout ------- mixin(generateFunQt( 34, "qteQBoxLayout" ,"Widgets")); mixin(generateFunQt( 35, "qteQVBoxLayout" ,"Widgets")); mixin(generateFunQt( 36, "qteQHBoxLayout" ,"Widgets")); mixin(generateFunQt( 37, "qteQBoxLayout_delete" ,"Widgets")); mixin(generateFunQt( 38, "qteQBoxLayout_addWidget" ,"Widgets")); mixin(generateFunQt( 39, "qteQBoxLayout_addLayout" ,"Widgets")); mixin(generateFunQt( 74, "qteQBoxLayout_setSpacing" ,"Widgets")); mixin(generateFunQt( 75, "qteQBoxLayout_spacing" ,"Widgets")); mixin(generateFunQt( 76, "qteQBoxLayout_setMargin" ,"Widgets")); mixin(generateFunQt( 77, "qteQBoxLayout_margin" ,"Widgets")); // ------- QFrame ------- mixin(generateFunQt( 41, "qteQFrame_create1" ,"Widgets")); mixin(generateFunQt( 42, "qteQFrame_delete1" ,"Widgets")); mixin(generateFunQt( 43, "qteQFrame_setFrameShape" ,"Widgets")); mixin(generateFunQt( 44, "qteQFrame_setFrameShadow" ,"Widgets")); mixin(generateFunQt( 45, "qteQFrame_setLineWidth" ,"Widgets")); mixin(generateFunQt( 290, "qteQFrame_listChildren" ,"Widgets")); // ------- QLabel -------- mixin(generateFunQt( 46, "qteQLabel_create1" ,"Widgets")); mixin(generateFunQt( 47, "qteQLabel_delete1" ,"Widgets")); mixin(generateFunQt( 48, "qteQLabel_setText" ,"Widgets")); // ------- QEvent ------- mixin(generateFunQt( 53, "qteQEvent_type" ,"Widgets")); mixin(generateFunQt( 157, "qteQEvent_ia" ,"Widgets")); // ------- QResizeEvent ------- mixin(generateFunQt( 54, "qteQResizeEvent_size" ,"Widgets")); mixin(generateFunQt( 55, "qteQResizeEvent_oldSize" ,"Widgets")); // ------- QSize ------- mixin(generateFunQt( 56, "qteQSize_create1" ,"Widgets")); mixin(generateFunQt( 57, "qteQSize_delete1" ,"Widgets")); mixin(generateFunQt( 58, "qteQSize_width" ,"Widgets")); mixin(generateFunQt( 59, "qteQSize_height" ,"Widgets")); mixin(generateFunQt( 60, "qteQSize_setWidth" ,"Widgets")); mixin(generateFunQt( 61, "qteQSize_setHeight" ,"Widgets")); // ------- QKeyEvent ------- mixin(generateFunQt( 62, "qteQKeyEvent_key" ,"Widgets")); mixin(generateFunQt( 63, "qteQKeyEvent_count" ,"Widgets")); mixin(generateFunQt( 285, "qteQKeyEvent_modifiers" ,"Widgets")); // ------- QAbstractScrollArea ------- mixin(generateFunQt( 64, "qteQAbstractScrollArea_create1" ,"Widgets")); mixin(generateFunQt( 65, "qteQAbstractScrollArea_delete1" ,"Widgets")); // ------- QPlainTextEdit ------- mixin(generateFunQt( 66, "qteQPlainTextEdit_create1" ,"Widgets")); mixin(generateFunQt( 67, "qteQPlainTextEdit_delete1" ,"Widgets")); mixin(generateFunQt( 68, "qteQPlainTextEdit_appendPlainText" ,"Widgets")); mixin(generateFunQt( 69, "qteQPlainTextEdit_appendHtml" ,"Widgets")); mixin(generateFunQt( 70, "qteQPlainTextEdit_setPlainText" ,"Widgets")); mixin(generateFunQt( 71, "qteQPlainTextEdit_insertPlainText" ,"Widgets")); mixin(generateFunQt( 72, "qteQPlainTextEdit_cutn" ,"Widgets")); mixin(generateFunQt( 73, "qteQPlainTextEdit_toPlainText" ,"Widgets")); mixin(generateFunQt( 80, "qteQPlainTextEdit_setKeyPressEvent","Widgets")); mixin(generateFunQt( 225, "qteQPlainTextEdit_setKeyReleaseEvent","Widgets")); mixin(generateFunQt( 226, "qteQPlainTextEdit_document" ,"Widgets")); mixin(generateFunQt( 230, "qteQPlainTextEdit_textCursor" ,"Widgets")); mixin(generateFunQt( 235, "qteQPlainTextEdit_cursorRect" ,"Widgets")); mixin(generateFunQt( 235, "qteQPlainTextEdit_cursorRect" ,"Widgets")); mixin(generateFunQt( 236, "qteQPlainTextEdit_setTabStopWidth" ,"Widgets")); mixin(generateFunQt( 253, "qteQPlainTextEdit_setTextCursor" ,"Widgets")); mixin(generateFunQt( 278, "qteQPlainTextEdit_setViewportMargins","Widgets")); mixin(generateFunQt( 282, "qteQPlainTextEdit_firstVisibleBlock","Widgets")); mixin(generateFunQt( 284, "qteQPlainTextEdit_getXYWH" ,"Widgets")); mixin(generateFunQt( 294, "qteQPlainTextEdit_setWordWrapMode" ,"Widgets")); mixin(generateFunQt( 325, "eQPlainTextEdit_setPaintEvent" ,"Widgets")); mixin(generateFunQt( 326, "qteQPlainTextEdit_getXX1" ,"Widgets")); mixin(generateFunQt( 328, "qteQPlainTextEdit_setCursorPosition","Widgets")); mixin(generateFunQt( 329, "qteQPlainTextEdit_find1" ,"Widgets")); mixin(generateFunQt( 330, "qteQPlainTextEdit_find2" ,"Widgets")); // ------- QLineEdit ------- mixin(generateFunQt( 82, "qteQLineEdit_create1" ,"Widgets")); mixin(generateFunQt( 83, "qteQLineEdit_delete1" ,"Widgets")); mixin(generateFunQt( 84, "qteQLineEdit_set" ,"Widgets")); mixin(generateFunQt( 85, "qteQLineEdit_clear" ,"Widgets")); mixin(generateFunQt( 86, "qteQLineEdit_text" ,"Widgets")); mixin(generateFunQt( 158, "qteQLineEdit_setKeyPressEvent" ,"Widgets")); mixin(generateFunQt( 287, "qteQLineEdit_setX1" ,"Widgets")); mixin(generateFunQt( 288, "qteQLineEdit_getX1" ,"Widgets")); // ------- QMainWindow ------- mixin(generateFunQt( 88, "qteQMainWindow_create1" ,"Widgets")); mixin(generateFunQt( 89, "qteQMainWindow_delete1" ,"Widgets")); mixin(generateFunQt( 90, "qteQMainWindow_setXX" ,"Widgets")); mixin(generateFunQt( 126, "qteQMainWindow_addToolBar" ,"Widgets")); // ------- QStatusBar ------- mixin(generateFunQt( 91, "qteQStatusBar_create1" ,"Widgets")); mixin(generateFunQt( 92, "qteQStatusBar_delete1" ,"Widgets")); mixin(generateFunQt( 93, "qteQStatusBar_showMessage" ,"Widgets")); mixin(generateFunQt( 314, "qteQStatusBar_addWidgetXX1" ,"Widgets")); // ------- QAction ------- mixin(generateFunQt( 95, "qteQAction_create" ,"Widgets")); mixin(generateFunQt( 96, "qteQAction_delete" ,"Widgets")); mixin(generateFunQt( 289, "qteQAction_getParent" ,"Widgets")); mixin(generateFunQt( 97, "qteQAction_setXX1" ,"Widgets")); mixin(generateFunQt( 98, "qteQAction_setSlotN2" ,"Widgets")); mixin(generateFunQt( 105, "qteQAction_setHotKey" ,"Widgets")); mixin(generateFunQt( 109, "qteQAction_setEnabled" ,"Widgets")); mixin(generateFunQt( 113, "qteQAction_setIcon" ,"Widgets")); mixin(generateFunQt( 339, "qteQAction_SendSignal_V" ,"Widgets")); mixin(generateFunQt( 340, "qteQAction_SendSignal_VI" ,"Widgets")); mixin(generateFunQt( 341, "qteQAction_SendSignal_VS" ,"Widgets")); // ------- QMenu ------- mixin(generateFunQt( 99, "qteQMenu_create" ,"Widgets")); mixin(generateFunQt( 100, "qteQMenu_delete" ,"Widgets")); mixin(generateFunQt( 101, "qteQMenu_addAction" ,"Widgets")); mixin(generateFunQt( 106, "qteQMenu_setTitle" ,"Widgets")); mixin(generateFunQt( 107, "qteQMenu_addSeparator" ,"Widgets")); mixin(generateFunQt( 108, "qteQMenu_addMenu" ,"Widgets")); // ------- QMenuBar ------- mixin(generateFunQt( 102, "qteQMenuBar_create" ,"Widgets")); mixin(generateFunQt( 103, "qteQMenuBar_delete" ,"Widgets")); mixin(generateFunQt( 104, "qteQMenuBar_addMenu" ,"Widgets")); // ------- QIcon ------- mixin(generateFunQt( 110, "qteQIcon_create" ,"Widgets")); mixin(generateFunQt( 111, "qteQIcon_delete" ,"Widgets")); mixin(generateFunQt( 112, "qteQIcon_addFile" ,"Widgets")); mixin(generateFunQt( 377, "qteQIcon_addFile2" ,"Widgets")); mixin(generateFunQt( 378, "qteQIcon_swap" ,"Widgets")); // ------- QToolBar ------- mixin(generateFunQt( 114, "qteQToolBar_create" ,"Widgets")); mixin(generateFunQt( 115, "qteQToolBar_delete" ,"Widgets")); mixin(generateFunQt( 116, "qteQToolBar_setXX1" ,"Widgets")); mixin(generateFunQt( 124, "qteQToolBar_setAllowedAreas" ,"Widgets")); mixin(generateFunQt( 125, "qteQToolBar_setToolButtonStyle" ,"Widgets")); mixin(generateFunQt( 132, "qteQToolBar_addSeparator" ,"Widgets")); // ------- QDialog ------- mixin(generateFunQt( 117, "qteQDialog_create" ,"Widgets")); mixin(generateFunQt( 118, "qteQDialog_delete" ,"Widgets")); mixin(generateFunQt( 119, "qteQDialog_exec" ,"Widgets")); // ------- QDialog ------- mixin(generateFunQt( 120, "qteQMessageBox_create" ,"Widgets")); mixin(generateFunQt( 121, "qteQMessageBox_delete" ,"Widgets")); mixin(generateFunQt( 122, "qteQMessageBox_setXX1" ,"Widgets")); mixin(generateFunQt( 123, "qteQMessageBox_setStandardButtons" ,"Widgets")); // ------- QFont ------- mixin(generateFunQt( 127, "qteQFont_create" ,"Widgets")); mixin(generateFunQt( 128, "qteQFont_delete" ,"Widgets")); mixin(generateFunQt( 129, "qteQFont_setPointSize" ,"Widgets")); mixin(generateFunQt( 130, "qteQFont_setFamily" ,"Widgets")); mixin(generateFunQt( 312, "qteQFont_setBoolXX1" ,"Widgets")); mixin(generateFunQt( 313, "qteQFont_getBoolXX1" ,"Widgets")); // ------- QProgressBar ------- mixin(generateFunQt( 133, "qteQProgressBar_create" ,"Widgets")); mixin(generateFunQt( 134, "qteQProgressBar_delete" ,"Widgets")); mixin(generateFunQt( 135, "qteQProgressBar_setPr" ,"Widgets")); // ------- QDate ------- mixin(generateFunQt( 136, "qteQDate_create" ,"Widgets")); mixin(generateFunQt( 137, "qteQDate_delete" ,"Widgets")); mixin(generateFunQt( 140, "qteQDate_toString" ,"Widgets")); // ------- QTime ------- mixin(generateFunQt( 138, "qteQTime_create" ,"Widgets")); mixin(generateFunQt( 139, "qteQTime_delete" ,"Widgets")); mixin(generateFunQt( 141, "qteQTime_toString" ,"Widgets")); // ------- QFileDialog ------- mixin(generateFunQt( 142, "qteQFileDialog_create" ,"Widgets")); mixin(generateFunQt( 143, "qteQFileDialog_delete" ,"Widgets")); mixin(generateFunQt( 144, "qteQFileDialog_setNameFilter" ,"Widgets")); mixin(generateFunQt( 145, "qteQFileDialog_setViewMode" ,"Widgets")); mixin(generateFunQt( 146, "qteQFileDialog_getOpenFileName" ,"Widgets")); mixin(generateFunQt( 147, "qteQFileDialog_getSaveFileName" ,"Widgets")); mixin(generateFunQt( 274, "qteQFileDialog_stGetOpenFileName" ,"Widgets")); mixin(generateFunQt( 275, "qteQFileDialog_stGetSaveFileName" ,"Widgets")); // ------- QAbstractScrollArea ------- mixin(generateFunQt( 149, "qteQAbstractScrollArea_create" ,"Widgets")); mixin(generateFunQt( 150, "qteQAbstractScrollArea_delete" ,"Widgets")); // ------- QMdiArea ------- mixin(generateFunQt( 151, "qteQMdiArea_create" ,"Widgets")); mixin(generateFunQt( 152, "qteQMdiArea_delete" ,"Widgets")); mixin(generateFunQt( 155, "qteQMdiArea_addSubWindow" ,"Widgets")); mixin(generateFunQt( 338, "qteQMdiArea_activeSubWindow" ,"Widgets")); // ------- QMdiSubWindow ------- mixin(generateFunQt( 153, "qteQMdiSubWindow_create" ,"Widgets")); mixin(generateFunQt( 154, "qteQMdiSubWindow_delete" ,"Widgets")); mixin(generateFunQt( 156, "qteQMdiSubWindow_addLayout" ,"Widgets")); // ------- QTableView ------- mixin(generateFunQt( 159, "qteQTableView_create" ,"Widgets")); mixin(generateFunQt( 160, "qteQTableView_delete" ,"Widgets")); mixin(generateFunQt( 174, "qteQTableView_setN1" ,"Widgets")); mixin(generateFunQt( 175, "qteQTableView_getN1" ,"Widgets")); mixin(generateFunQt( 182, "qteQTableView_ResizeMode" ,"Widgets")); // ------- QTableWidget ------- mixin(generateFunQt( 161, "qteQTableWidget_create" ,"Widgets")); mixin(generateFunQt( 162, "qteQTableWidget_delete" ,"Widgets")); mixin(generateFunQt( 163, "qteQTableWidget_setRC" ,"Widgets")); mixin(generateFunQt( 167, "qteQTableWidget_setItem" ,"Widgets")); mixin(generateFunQt( 176, "qteQTableWidget_setHVheaderItem" ,"Widgets")); mixin(generateFunQt( 241, "qteQTableWidget_setCurrentCell" ,"Widgets")); mixin(generateFunQt( 369, "qteQTableWidget_getCurrent" ,"Widgets")); mixin(generateFunQt( 370, "qteQTableWidget_item" ,"Widgets")); mixin(generateFunQt( 371, "qteQTableWidget_takeItem" ,"Widgets")); // ------- QTableWidgetItem ------- mixin(generateFunQt( 164, "qteQTableWidgetItem_create" ,"Widgets")); mixin(generateFunQt( 165, "qteQTableWidgetItem_delete" ,"Widgets")); mixin(generateFunQt( 166, "qteQTableWidgetItem_setXX" ,"Widgets")); mixin(generateFunQt( 168, "qteQTableWidgetItem_setYY" ,"Widgets")); mixin(generateFunQt( 169, "qteQTableWidget_item" ,"Widgets")); mixin(generateFunQt( 170, "qteQTableWidgetItem_text" ,"Widgets")); mixin(generateFunQt( 171, "qteQTableWidgetItem_setAlignment" ,"Widgets")); mixin(generateFunQt( 180, "qteQTableWidgetItem_setBackground" ,"Widgets")); mixin(generateFunQt( 372, "qteQTableWidgetItem_setFlags" ,"Widgets")); mixin(generateFunQt( 373, "qteQTableWidgetItem_flags" ,"Widgets")); mixin(generateFunQt( 374, "qteQTableWidgetItem_setSelected" ,"Widgets")); mixin(generateFunQt( 375, "qteQTableWidgetItem_isSelected" ,"Widgets")); mixin(generateFunQt( 376, "qteQTableWidgetItem_setIcon" ,"Widgets")); // ------- QBrush ------- mixin(generateFunQt( 177, "qteQBrush_create1" ,"Widgets")); mixin(generateFunQt( 178, "qteQBrush_delete" ,"Widgets")); mixin(generateFunQt( 179, "qteQBrush_setColor" ,"Widgets")); mixin(generateFunQt( 181, "qteQBrush_setStyle" ,"Widgets")); // ------- QComboBox ------- mixin(generateFunQt( 183, "qteQComboBox_create" ,"Widgets")); mixin(generateFunQt( 184, "qteQComboBox_delete" ,"Widgets")); mixin(generateFunQt( 185, "qteQComboBox_setXX" ,"Widgets")); mixin(generateFunQt( 186, "qteQComboBox_getXX" ,"Widgets")); mixin(generateFunQt( 187, "qteQComboBox_text" ,"Widgets")); // ------- QPainter ------- mixin(generateFunQt( 301, "qteQPainter_create" ,"Widgets")); mixin(generateFunQt( 302, "qteQPainter_delete" ,"Widgets")); mixin(generateFunQt( 188, "qteQPainter_drawPoint" ,"Widgets")); mixin(generateFunQt( 189, "qteQPainter_drawLine" ,"Widgets")); mixin(generateFunQt( 190, "qteQPainter_setXX1" ,"Widgets")); mixin(generateFunQt( 196, "qteQPainter_setText" ,"Widgets")); mixin(generateFunQt( 197, "qteQPainter_end" ,"Widgets")); mixin(generateFunQt( 243, "qteQPainter_drawRect1" ,"Widgets")); mixin(generateFunQt( 244, "qteQPainter_drawRect2" ,"Widgets")); mixin(generateFunQt( 245, "qteQPainter_fillRect2" ,"Widgets")); mixin(generateFunQt( 246, "qteQPainter_fillRect3" ,"Widgets")); mixin(generateFunQt( 298, "qteQPainter_getFont" ,"Widgets")); mixin(generateFunQt( 310, "qteQPainter_drawImage1" ,"Widgets")); mixin(generateFunQt( 311, "qteQPainter_drawImage2" ,"Widgets")); // ------- QPen ------- mixin(generateFunQt( 191, "qteQPen_create1" ,"Widgets")); mixin(generateFunQt( 192, "qteQPen_delete" ,"Widgets")); mixin(generateFunQt( 193, "qteQPen_setColor" ,"Widgets")); mixin(generateFunQt( 194, "qteQPen_setStyle" ,"Widgets")); mixin(generateFunQt( 195, "qteQPen_setWidth" ,"Widgets")); // ------- QLCDNumber ------- mixin(generateFunQt( 198, "qteQLCDNumber_create1" ,"Widgets")); mixin(generateFunQt( 199, "qteQLCDNumber_delete1" ,"Widgets")); mixin(generateFunQt( 200, "qteQLCDNumber_create2" ,"Widgets")); mixin(generateFunQt( 201, "qteQLCDNumber_display" ,"Widgets")); mixin(generateFunQt( 202, "qteQLCDNumber_setSegmentStyle" ,"Widgets")); mixin(generateFunQt( 203, "qteQLCDNumber_setDigitCount" ,"Widgets")); mixin(generateFunQt( 204, "qteQLCDNumber_setMode" ,"Widgets")); // ------- QAbstractSlider ------- mixin(generateFunQt( 205, "qteQAbstractSlider_setXX" ,"Widgets")); mixin(generateFunQt( 208, "qteQAbstractSlider_getXX" ,"Widgets")); // ------- QSlider ------- mixin(generateFunQt( 206, "qteQSlider_create1" ,"Widgets")); mixin(generateFunQt( 207, "qteQSlider_delete1" ,"Widgets")); // ------- QGroupBox ------- mixin(generateFunQt( 212, "qteQGroupBox_create" ,"Widgets")); mixin(generateFunQt( 213, "qteQGroupBox_delete" ,"Widgets")); mixin(generateFunQt( 214, "qteQGroupBox_setTitle" ,"Widgets")); mixin(generateFunQt( 215, "qteQGroupBox_setAlignment" ,"Widgets")); // ------- QCheckBox ------- mixin(generateFunQt( 216, "qteQCheckBox_create1" ,"Widgets")); mixin(generateFunQt( 217, "qteQCheckBox_delete" ,"Widgets")); mixin(generateFunQt( 218, "qteQCheckBox_checkState" ,"Widgets")); mixin(generateFunQt( 219, "qteQCheckBox_setCheckState" ,"Widgets")); mixin(generateFunQt( 220, "qteQCheckBox_setTristate" ,"Widgets")); mixin(generateFunQt( 221, "qteQCheckBox_isTristate" ,"Widgets")); // ------- QRadioButton ------- mixin(generateFunQt( 222, "qteQRadioButton_create1" ,"Widgets")); mixin(generateFunQt( 223, "qteQRadioButton_delete" ,"Widgets")); // ------- QTextCursor ------- mixin(generateFunQt( 227, "qteQTextCursor_create1" ,"Widgets")); mixin(generateFunQt( 228, "qteQTextCursor_delete" ,"Widgets")); mixin(generateFunQt( 229, "qteQTextCursor_create2" ,"Widgets")); mixin(generateFunQt( 231, "qteQTextCursor_getXX1" ,"Widgets")); mixin(generateFunQt( 254, "qteQTextCursor_movePosition" ,"Widgets")); mixin(generateFunQt( 255, "qteQTextCursor_runXX" ,"Widgets")); mixin(generateFunQt( 256, "qteQTextCursor_insertText1" ,"Widgets")); mixin(generateFunQt( 286, "qteQTextCursor_select" ,"Widgets")); mixin(generateFunQt( 327, "qteQTextCursor_setPosition" ,"Widgets")); // ------- QRect ------- mixin(generateFunQt( 232, "qteQRect_create1" ,"Widgets")); mixin(generateFunQt( 233, "qteQRect_delete" ,"Widgets")); mixin(generateFunQt( 234, "qteQRect_setXX1" ,"Widgets")); mixin(generateFunQt( 242, "qteQRect_setXX2" ,"Widgets")); // ------- QTextBlock ------- mixin(generateFunQt( 237, "qteQTextBlock_text" ,"Widgets")); mixin(generateFunQt( 238, "qteQTextBlock_create" ,"Widgets")); mixin(generateFunQt( 239, "qteQTextBlock_delete" ,"Widgets")); mixin(generateFunQt( 240, "qteQTextBlock_create2" ,"Widgets")); mixin(generateFunQt( 283, "qteQTextBlock_blockNumber" ,"Widgets")); mixin(generateFunQt( 299, "qteQTextBlock_next2" ,"Widgets")); mixin(generateFunQt( 300, "qteQTextBlock_isValid2" ,"Widgets")); // ------- QSpinBox ------- mixin(generateFunQt( 247, "qteQSpinBox_create" ,"Widgets")); mixin(generateFunQt( 248, "qteQSpinBox_delete" ,"Widgets")); mixin(generateFunQt( 249, "qteQSpinBox_setXX1" ,"Widgets")); mixin(generateFunQt( 250, "qteQSpinBox_getXX1" ,"Widgets")); mixin(generateFunQt( 251, "qteQSpinBox_setXX2" ,"Widgets")); // ------- QAbstractSpinBox ------- mixin(generateFunQt( 252, "qteQAbstractSpinBox_setReadOnly" ,"Widgets")); // ------- Highlighter -- Временный, подлежит в дальнейшем удалению ----- mixin(generateFunQt( 257, "qteHighlighter_create" ,"Widgets")); mixin(generateFunQt( 258, "qteHighlighter_delete" ,"Widgets")); // ------- HighlighterM -- Временный, подлежит в дальнейшем удалению ----- mixin(generateFunQt( 442, "qteHighlighterM_create" ,"Widgets")); mixin(generateFunQt( 443, "qteHighlighterM_delete" ,"Widgets")); // ------- QTextEdit ------- mixin(generateFunQt( 260, "qteQTextEdit_create1" ,"Widgets")); mixin(generateFunQt( 261, "qteQTextEdit_delete1" ,"Widgets")); mixin(generateFunQt( 270, "qteQTextEdit_setFromString" ,"Widgets")); mixin(generateFunQt( 271, "qteQTextEdit_toString" ,"Widgets")); mixin(generateFunQt( 272, "qteQTextEdit_cutn" ,"Widgets")); mixin(generateFunQt( 345, "qteQTextEdit_setBool" ,"Widgets")); mixin(generateFunQt( 346, "qteQTextEdit_toBool" ,"Widgets")); // ------- QTimer ------- mixin(generateFunQt( 262, "qteQTimer_create" ,"Widgets")); mixin(generateFunQt( 263, "qteQTimer_delete" ,"Widgets")); mixin(generateFunQt( 264, "qteQTimer_setInterval" ,"Widgets")); mixin(generateFunQt( 265, "qteQTimer_getXX1" ,"Widgets")); mixin(generateFunQt( 266, "qteQTimer_getXX2" ,"Widgets")); mixin(generateFunQt( 267, "qteQTimer_setTimerType" ,"Widgets")); mixin(generateFunQt( 268, "qteQTimer_setSingleShot" ,"Widgets")); mixin(generateFunQt( 269, "qteQTimer_timerType" ,"Widgets")); mixin(generateFunQt( 342, "qteQTimer_setStartInterval" ,"Widgets")); // ------- QTextOption ------- mixin(generateFunQt( 291, "QTextOption_create" ,"Widgets")); mixin(generateFunQt( 292, "QTextOption_delete" ,"Widgets")); mixin(generateFunQt( 293, "QTextOption_setWrapMode" ,"Widgets")); // ------- QFontMetrics ------- mixin(generateFunQt( 295, "QFontMetrics_create" ,"Widgets")); mixin(generateFunQt( 296, "QFontMetrics_delete" ,"Widgets")); mixin(generateFunQt( 297, "QFontMetrics_getXX1" ,"Widgets")); // ------- QImage ------- mixin(generateFunQt( 303, "qteQImage_create1" ,"Widgets")); mixin(generateFunQt( 304, "qteQImage_delete" ,"Widgets")); mixin(generateFunQt( 305, "qteQImage_load" ,"Widgets")); mixin(generateFunQt( 315, "qteQImage_create2" ,"Widgets")); mixin(generateFunQt( 316, "qteQImage_fill1" ,"Widgets")); mixin(generateFunQt( 317, "qteQImage_fill2" ,"Widgets")); mixin(generateFunQt( 318, "qteQImage_setPixel1" ,"Widgets")); mixin(generateFunQt( 319, "qteQImage_getXX1" ,"Widgets")); mixin(generateFunQt( 321, "qteQImage_pixel" ,"Widgets")); // ------- QPoint ------- mixin(generateFunQt( 306, "qteQPoint_create1" ,"Widgets")); mixin(generateFunQt( 307, "qteQPoint_delete" ,"Widgets")); mixin(generateFunQt( 308, "qteQPoint_setXX1" ,"Widgets")); mixin(generateFunQt( 309, "qteQPoint_getXX1" ,"Widgets")); // ------- QGridLayout ------- mixin(generateFunQt( 330, "qteQGridLayout_create1" ,"Widgets")); mixin(generateFunQt( 331, "qteQGridLayout_delete" ,"Widgets")); mixin(generateFunQt( 332, "qteQGridLayout_getXX1" ,"Widgets")); mixin(generateFunQt( 333, "qteQGridLayout_addWidget1" ,"Widgets")); mixin(generateFunQt( 334, "qteQGridLayout_addWidget2" ,"Widgets")); mixin(generateFunQt( 335, "qteQGridLayout_setXX1" ,"Widgets")); mixin(generateFunQt( 336, "qteQGridLayout_setXX2" ,"Widgets")); mixin(generateFunQt( 337, "qteQGridLayout_addLayout1" ,"Widgets")); // ------- QMouseEvent ------- mixin(generateFunQt( 347, "qteQMouseEvent1" ,"Widgets")); mixin(generateFunQt( 348, "qteQWidget_setMousePressEvent" ,"Widgets")); mixin(generateFunQt( 349, "qteQWidget_setMouseReleaseEvent" ,"Widgets")); mixin(generateFunQt( 350, "qteQMouse_button" ,"Widgets")); // ------- QScriptEngine ------- mixin(generateFunQt( 351, "QScriptEngine_create1" ,"Script")); mixin(generateFunQt( 352, "QScriptEngine_delete1" ,"Script")); mixin(generateFunQt( 353, "QScriptEngine_evaluate" ,"Script")); mixin(generateFunQt( 358, "QScriptEngine_newQObject" ,"Script")); mixin(generateFunQt( 359, "QScriptEngine_globalObject" ,"Script")); mixin(generateFunQt( 361, "QScriptEngine_callFunDlang" ,"Script")); mixin(generateFunQt( 362, "QScriptEngine_setFunDlang" ,"Script")); // ------- QScriptValue ------- mixin(generateFunQt( 354, "QScriptValue_create1" ,"Script")); mixin(generateFunQt( 355, "QScriptValue_delete1" ,"Script")); mixin(generateFunQt( 356, "QScriptValue_toInt32" ,"Script")); mixin(generateFunQt( 357, "QScriptValue_toString" ,"Script")); mixin(generateFunQt( 360, "QScriptValue_setProperty" ,"Script")); mixin(generateFunQt( 365, "QScriptValue_createQstring" ,"Script")); mixin(generateFunQt( 366, "QScriptValue_createInteger" ,"Script")); mixin(generateFunQt( 367, "QScriptValue_createBool" ,"Script")); // ------- QScriptContext ------- mixin(generateFunQt( 363, "QScriptContext_argumentCount" ,"Script")); mixin(generateFunQt( 364, "QScriptContext_argument" ,"Script")); // ------- QPaintDevice ------- mixin(generateFunQt( 379, "QPaintDevice_hw" ,"Widgets")); mixin(generateFunQt( 380, "QPaintDevice_pa" ,"Widgets")); mixin(generateFunQt( 381, "QObject_setObjectName" ,"Widgets")); mixin(generateFunQt( 382, "QObject_objectName" ,"Widgets")); mixin(generateFunQt( 383, "QObject_dumpObjectInfo" ,"Widgets")); // ------- QPixmap ------- mixin(generateFunQt( 384, "QPixmap_create1" ,"Widgets")); mixin(generateFunQt( 385, "QPixmap_delete1" ,"Widgets")); mixin(generateFunQt( 386, "QPixmap_create2" ,"Widgets")); mixin(generateFunQt( 387, "QPixmap_create3" ,"Widgets")); mixin(generateFunQt( 388, "QPixmap_load1" ,"Widgets")); mixin(generateFunQt( 394, "QPixmap_fill" ,"Widgets")); mixin(generateFunQt( 389, "qteQLabel_setPixmap" ,"Widgets")); mixin(generateFunQt( 391, "qteQPainter_drawPixmap1" ,"Widgets")); // ------- QBitmap ------- mixin(generateFunQt( 392, "QBitmap_create1" ,"Widgets")); mixin(generateFunQt( 395, "QBitmap_create2" ,"Widgets")); mixin(generateFunQt( 390, "qteQPainter_create3" ,"Widgets")); mixin(generateFunQt( 396, "qteQPen_create2" ,"Widgets")); mixin(generateFunQt( 397, "QPixmap_setMask" ,"Widgets")); // ------- QResource ------- mixin(generateFunQt( 398, "QResource_create1" ,"Widgets")); mixin(generateFunQt( 399, "QResource_delete1" ,"Widgets")); mixin(generateFunQt( 400, "QResource_registerResource" ,"Widgets")); mixin(generateFunQt( 401, "QResource_registerResource2" ,"Widgets")); // ------- QStackedWidget ------- mixin(generateFunQt( 402, "QStackedWidget_create1" ,"Widgets")); mixin(generateFunQt( 403, "QStackedWidget_delete1" ,"Widgets")); mixin(generateFunQt( 404, "QStackedWidget_setXX1" ,"Widgets")); mixin(generateFunQt( 405, "QStackedWidget_setXX2" ,"Widgets")); mixin(generateFunQt( 406, "QStackedWidget_setXX3" ,"Widgets")); // ------- QTabBar ------- mixin(generateFunQt( 407, "QTabBar_create1" ,"Widgets")); mixin(generateFunQt( 408, "QTabBar_delete1" ,"Widgets")); mixin(generateFunQt( 409, "QTabBar_setXX1" ,"Widgets")); mixin(generateFunQt( 410, "QTabBar_addTab1" ,"Widgets")); mixin(generateFunQt( 411, "QTabBar_tabTextX1" ,"Widgets")); mixin(generateFunQt( 412, "QTabBar_tabBoolX1" ,"Widgets")); mixin(generateFunQt( 413, "QTabBar_addTab2" ,"Widgets")); mixin(generateFunQt( 414, "QTabBar_ElideMode" ,"Widgets")); mixin(generateFunQt( 415, "QTabBar_iconSize" ,"Widgets")); mixin(generateFunQt( 416, "QTabBar_addTab3" ,"Widgets")); mixin(generateFunQt( 417, "QTabBar_moveTab1" ,"Widgets")); mixin(generateFunQt( 418, "QTabBar_selectionBehaviorOnRemove" ,"Widgets")); mixin(generateFunQt( 419, "QTabBar_set3" ,"Widgets")); mixin(generateFunQt( 420, "QTabBar_setElideMode" ,"Widgets")); mixin(generateFunQt( 421, "QTabBar_setIconSize" ,"Widgets")); mixin(generateFunQt( 422, "QTabBar_setShape" ,"Widgets")); mixin(generateFunQt( 423, "QTabBar_setTabEnabled" ,"Widgets")); mixin(generateFunQt( 424, "QTabBar_setX5" ,"Widgets")); mixin(generateFunQt( 425, "qteQColor_create3" ,"Widgets")); // ------- QCoreApplication ------- mixin(generateFunQt( 426, "QCoreApplication_create1" ,"Widgets")); mixin(generateFunQt( 427, "QCoreApplication_delete1" ,"Widgets")); mixin(generateFunQt( 470, "QCoreApplication_installTranslator","Widgets")); // ------- QGuiApplication ------- mixin(generateFunQt( 428, "qteQApplication_setX1" ,"Widgets")); mixin(generateFunQt( 429, "QTabBar_setPoint" ,"Widgets")); mixin(generateFunQt( 430, "QTabBar_tabPoint" ,"Widgets")); // ------- QMdiArea ------- mixin(generateFunQt( 431, "qteQMdiArea_getN1" ,"Widgets")); mixin(generateFunQt( 432, "qteQMdiArea_setN1" ,"Widgets")); mixin(generateFunQt( 433, "qteQMdiArea_removeSubWin" ,"Widgets")); mixin(generateFunQt( 434, "qteQMdiArea_setViewMode" ,"Widgets")); // ------- Колесико мыша ------- mixin(generateFunQt( 435, "qteQWidget_setaMouseWheelEvent" ,"Widgets")); mixin(generateFunQt( 436, "qteQMouseEvent2" ,"Widgets")); mixin(generateFunQt( 437, "qteQMouseangleDelta" ,"Widgets")); // ------- QLineEdit ------- mixin(generateFunQt( 438, "qteQLineEdit_setAlignment" ,"Widgets")); mixin(generateFunQt( 439, "qteQLineEdit_getInt" ,"Widgets")); mixin(generateFunQt( 440, "qteQLineEdit_setX2" ,"Widgets")); mixin(generateFunQt( 441, "qteQLineEdit_setX3" ,"Widgets")); // ------- QWebEng ---------- mixin(generateFunQt( 446, "qteQWebEngView_create" ,"WebEng")); mixin(generateFunQt( 445, "qteQWebEngView_delete" ,"WebEng")); mixin(generateFunQt( 447, "qteQWebEngView_load" ,"WebEng")); // ------- QTextCodec ---------- mixin(generateFunQt( 448, "p_QTextCodec" ,"Widgets")); mixin(generateFunQt( 449, "QT_QTextCodec_toUnicode" ,"Widgets")); mixin(generateFunQt( 450, "QT_QTextCodec_fromUnicode" ,"Widgets")); // ------- QJSEngine ---------- mixin(generateFunQt( 454, "QJSEngine_create1" ,"Qml")); mixin(generateFunQt( 455, "QJSEngine_delete1" ,"Qml")); mixin(generateFunQt( 458, "QJSEngine_evaluate" ,"Qml")); // ------- QQmlEngine ---------- mixin(generateFunQt( 456, "QQmlEngine_create1" ,"Qml")); mixin(generateFunQt( 457, "QQmlEngine_delete1" ,"Qml")); // ------- QQmlApplicationEngine ---------- mixin(generateFunQt( 451, "QQmlApplicationEngine_create1" ,"Qml")); mixin(generateFunQt( 452, "QQmlApplicationEngine_delete1" ,"Qml")); mixin(generateFunQt( 453, "QQmlApplicationEngine_load1" ,"Qml")); mixin(generateFunQt( 459, "QQmlApplicationEngine_setContextProperty1" ,"Qml")); mixin(generateFunQt( 460, "qteQAction_getQStr" ,"Widgets")); mixin(generateFunQt( 461, "qteQAction_setQStr" ,"Widgets")); mixin(generateFunQt( 462, "qteQAction_getInt" ,"Widgets")); mixin(generateFunQt( 463, "qteQAction_setInt" ,"Widgets")); // ------- QByteArray ---------- mixin(generateFunQt( 500, "new_QByteArray_vc" ,"Widgets")); mixin(generateFunQt( 501, "delete_QByteArray" ,"Widgets")); mixin(generateFunQt( 502, "QByteArray_size" ,"Widgets")); mixin(generateFunQt( 503, "new_QByteArray_data" ,"Widgets")); mixin(generateFunQt( 504, "QByteArray_trimmed" ,"Widgets")); mixin(generateFunQt( 505, "QByteArray_app1" ,"Widgets")); mixin(generateFunQt( 506, "QByteArray_app2" ,"Widgets")); mixin(generateFunQt( 507, "new_QByteArray_2" ,"Widgets")); mixin(generateFunQt( 508, "new_QByteArray_data2" ,"Widgets")); mixin(generateFunQt( 509, "QByteArray_app3" ,"Widgets")); // ------- QFile ---------- mixin(generateFunQt( 510, "QT_QFile_new" ,"Widgets")); mixin(generateFunQt( 511, "QT_QFile_new1" ,"Widgets")); mixin(generateFunQt( 516, "QT_QFile_del" ,"Widgets")); mixin(generateFunQt( 512, "QT_QFile_open" ,"Widgets")); // ------- QIODevice ---------- mixin(generateFunQt( 514, "QT_QIODevice_read1" ,"Widgets")); mixin(generateFunQt( 519, "QT_QTextStream_atEnd" ,"Widgets")); // ------- QFileDevice ---------- mixin(generateFunQt( 520, "QT_QFileDevice_close" ,"Widgets")); // ------- QTextStream ---------- mixin(generateFunQt( 513, "QT_QTextStream_new1" ,"Widgets")); mixin(generateFunQt( 515, "QT_QTextStream_del" ,"Widgets")); mixin(generateFunQt( 516, "QT_QTextStream_LL1" ,"Widgets")); mixin(generateFunQt( 517, "QT_QTextStream_setCodec" ,"Widgets")); mixin(generateFunQt( 518, "QT_QTextStream_readLine" ,"Widgets")); // ------- QCalendarWidget ---------- mixin(generateFunQt( 464, "qteQCalendarWidget_create1" ,"Widgets")); mixin(generateFunQt( 465, "qteQCalendarWidget_delete1" ,"Widgets")); mixin(generateFunQt( 466, "qteQCalendarWidget_selectedDate" ,"Widgets")); mixin(generateFunQt( 471, "qteQCalendarWidget_getBool1" ,"Widgets")); mixin(generateFunQt( 472, "qteQCalendarWidget_setBool1" ,"Widgets")); // ------- QTranslator -------- mixin(generateFunQt( 467, "qteQTranslator_create1" ,"Widgets")); mixin(generateFunQt( 468, "qteQTranslator_delete1" ,"Widgets")); mixin(generateFunQt( 469, "qteQTranslator_load" ,"Widgets")); // ------- qscintilla ---------- mixin(generateFunQt( 600, "qteQScin_create" ,"Qscintilla")); mixin(generateFunQt( 601, "qteQScin_delete" ,"Qscintilla")); mixin(generateFunQt( 602, "qteQScin_setColor" ,"Qscintilla")); mixin(generateFunQt( 603, "qteQScin_overwriteMode" ,"Qscintilla")); mixin(generateFunQt( 604, "qteQScin_setOverwriteMode" ,"Qscintilla")); mixin(generateFunQt( 605, "qteQScin_color" ,"Qscintilla")); mixin(generateFunQt( 606, "qteQScin_setPaper" ,"Qscintilla")); mixin(generateFunQt( 607, "qteQScin_paper" ,"Qscintilla")); mixin(generateFunQt( 608, "qteQScin_setFont" ,"Qscintilla")); mixin(generateFunQt( 609, "qteQScin_setAutoIndent" ,"Qscintilla")); mixin(generateFunQt( 610, "qteQScin_isReadOnly" ,"Qscintilla")); mixin(generateFunQt( 611, "qteQScin_setReadOnly" ,"Qscintilla")); mixin(generateFunQt( 612, "qteQScin_setMarginWidth" ,"Qscintilla")); mixin(generateFunQt( 613, "qteQScin_setMarginMarkerMask" ,"Qscintilla")); mixin(generateFunQt( 614, "qteQScin_markerDefine" ,"Qscintilla")); mixin(generateFunQt( 615, "qteQScin_markerAdd" ,"Qscintilla")); // Дополнительная проверка на загрузку функций, при условии, что включена диагностика if(showError) { write("The numbers in pFunQt[] is null: "); for(int i; i != maxValueInPFunQt; i++) if(!pFunQt[i]) write(i,", "); writeln(); } // Последний = 451 // -+-+-+-+- = 500 return 0; } /// Загрузить DLL-ки Qt и QtE. Найти в них адреса функций и заполнить ими таблицу static void msgbox(string text = null, string caption = null, QMessageBox.Icon icon = QMessageBox.Icon.Information, QWidget parent = null) { string cap, titl; QMessageBox soob = new QMessageBox(parent); if (caption is null) soob.setWindowTitle("Внимание!"); else soob.setWindowTitle(caption); if (text is null) soob.setText(". . . . ."); else soob.setText(text); soob.setIcon(icon).setStandardButtons(QMessageBox.StandardButton.Ok); try { soob.exec(); } catch(Throwable) {} } // Отладчик void deb(ubyte* uk) { writeln(cast(ubyte)*(uk + 0), "=", cast(ubyte)*(uk + 1), "=", cast(ubyte)*(uk + 2), "=", cast(ubyte)*(uk + 3), "=", cast(ubyte)*(uk + 4), "=", cast(ubyte)*(uk + 5), "=", cast(ubyte)*(uk + 6), "=", cast(ubyte)*(uk + 7), "=", cast(ubyte)*(uk + 8), "=", cast(ubyte)*(uk + 9), "=", cast(ubyte)*(uk + 10), "=", cast(ubyte)*(uk + 11), "=", cast(ubyte)*(uk + 12), "=", cast(ubyte)*(uk + 13), "=", cast(ubyte)*(uk + 14), "=", cast(ubyte)*(uk + 15), "=", cast(ubyte)*(uk + 16), "=", cast(ubyte)*(uk + 17), "=", cast(ubyte)*(uk + 18), "=", cast(ubyte)*(uk + 19), "=", cast(ubyte)*(uk + 20), "=", cast(ubyte)*(uk + 21), "=", cast(ubyte)*(uk + 22), "=", cast(ubyte)*(uk + 23)); } /++ Класс констант. В нем кое что из Qt:: +/ class QtE { enum WindowType { Widget = 0x00000000, Window = 0x00000001, Dialog = 0x00000002 | Window, Sheet = 0x00000004 | Window, Drawer = Sheet | Dialog, Popup = 0x00000008 | Window, Tool = Popup | Dialog, ToolTip = Popup | Sheet, SplashScreen = ToolTip | Dialog, Desktop = 0x00000010 | Window, SubWindow = 0x00000012, ForeignWindow = 0x00000020 | Window, CoverWindow = 0x00000040 | Window, CustomizeWindowHint = 0x02000000, // Turns off the default window title hints. WindowTitleHint = 0x00001000, // Gives the window a title bar. WindowSystemMenuHint = 0x00002000, // Adds a window system menu, and possibly a close button (for example on Mac). If you need to hide or show a close button, it is more portable to use WindowCloseButtonHint. WindowMinimizeButtonHint = 0x00004000, // Adds a minimize button. On some platforms this implies Qt::WindowSystemMenuHint for it to work. WindowMaximizeButtonHint = 0x00008000, // Adds a maximize button. On some platforms this implies Qt::WindowSystemMenuHint for it to work. WindowMinMaxButtonsHint = WindowMinimizeButtonHint | WindowMaximizeButtonHint, // Adds a minimize and a maximize button. On some platforms this implies Qt::WindowSystemMenuHint for it to work. WindowCloseButtonHint = 0x08000000, // Adds a close button. On some platforms this implies Qt::WindowSystemMenuHint for it to work. WindowContextHelpButtonHint = 0x00010000, // Adds a context help button to dialogs. On some platforms this implies Qt::WindowSystemMenuHint for it to work. MacWindowToolBarButtonHint = 0x10000000, // On OS X adds a tool bar button (i.e., the oblong button that is on the top right of windows that have toolbars). WindowFullscreenButtonHint = 0x80000000, // On OS X adds a fullscreen button. BypassGraphicsProxyWidget = 0x20000000, // Prevents the window and its children from automatically embedding themselves into a QGraphicsProxyWidget if the parent widget is already embedded. You can set this flag if you want your widget to always be a toplevel widget on the desktop, regardless of whether the parent widget is embedded in a scene or not. WindowShadeButtonHint = 0x00020000, // Adds a shade button in place of the minimize button if the underlying window manager supports it. WindowStaysOnTopHint = 0x00040000, // Informs the window system that the window should stay on top of all other windows. Note that on some window managers on X11 you also have to pass Qt::X11BypassWindowManagerHint for this flag to work correctly. WindowStaysOnBottomHint = 0x04000000 // Informs the window system that the window should stay on bottom of all other windows. Note that on X11 this hint will work only in window managers that support _NET_WM_STATE_BELOW atom. If a window always on the bottom has a parent, the parent will also be left on the bottom. This window hint is currently not impl // .... Qt5/QtCore/qnamespace.h } enum KeyboardModifier { //-> NoModifier = 0x00000000, ShiftModifier = 0x02000000, ControlModifier = 0x04000000, AltModifier = 0x08000000, MetaModifier = 0x10000000, KeypadModifier = 0x20000000, GroupSwitchModifier = 0x40000000, // Do not extend the mask to include 0x01000000 KeyboardModifierMask = 0xfe000000 } // Политика контексного меню enum ContextMenuPolicy { //-> NoContextMenu = 0, // нет контексного меню DefaultContextMenu = 1, // ActionsContextMenu = 2, // CustomContextMenu = 3, // PreventContextMenu = 4 // } // Кнопки мыша enum MouseButton { NoButton = 0x00000000, // The button state does not refer to any button (see QMouseEvent::button()). AllButtons = 0x07ffffff, // This value corresponds to a mask of all possible mouse buttons. Use to set the 'acceptedButtons' property of a MouseArea to accept ALL mouse buttons. LeftButton = 0x00000001, // The left button is pressed, or an event refers to the left button. (The left button may be the right button on left-handed mice.) RightButton = 0x00000002, // The right button. MidButton = 0x00000004 // The middle button. } enum Key { //-> Key_ControlModifier = 0x04000000, Key_Escape = 0x01000000, // misc keys Key_Tab = 0x01000001, Key_Backtab = 0x01000002, Key_Backspace = 0x01000003, Key_Return = 0x01000004, Key_Enter = 0x01000005, Key_Insert = 0x01000006, Key_Delete = 0x01000007, Key_Pause = 0x01000008, Key_Print = 0x01000009, Key_SysReq = 0x0100000a, Key_Clear = 0x0100000b, Key_Home = 0x01000010, // cursor movement Key_End = 0x01000011, Key_Left = 0x01000012, Key_Up = 0x01000013, Key_Right = 0x01000014, Key_Down = 0x01000015, Key_PageUp = 0x01000016, Key_Shift = 0x01000020, // modifiers Key_Control = 0x01000021, Key_Meta = 0x01000022, Key_Alt = 0x01000023, Key_CapsLock = 0x01000024, Key_NumLock = 0x01000025, Key_ScrollLock = 0x01000026, Key_F1 = 0x01000030, // function keys Key_F2 = 0x01000031, Key_F3 = 0x01000032, Key_F4 = 0x01000033, Key_F5 = 0x01000034, Key_F6 = 0x01000035, Key_F7 = 0x01000036, Key_F8 = 0x01000037, Key_F9 = 0x01000038, Key_F10 = 0x01000039, Key_F11 = 0x0100003a, Key_F12 = 0x0100003b, Key_F13 = 0x0100003c, Key_F14 = 0x0100003d, Key_F15 = 0x0100003e, Key_F16 = 0x0100003f, Key_F17 = 0x01000040, Key_F18 = 0x01000041, Key_F19 = 0x01000042, Key_F20 = 0x01000043, Key_F21 = 0x01000044, Key_F22 = 0x01000045, Key_F23 = 0x01000046, Key_F24 = 0x01000047, Key_F25 = 0x01000048, // F25 .. F35 only on X11 Key_F26 = 0x01000049, Key_F27 = 0x0100004a, Key_F28 = 0x0100004b, Key_F29 = 0x0100004c, Key_F30 = 0x0100004d, Key_F31 = 0x0100004e, Key_F32 = 0x0100004f, Key_F33 = 0x01000050, Key_F34 = 0x01000051, Key_F35 = 0x01000052, Key_Super_L = 0x01000053, // extra keys Key_Super_R = 0x01000054, Key_Menu = 0x01000055, Key_Hyper_L = 0x01000056, Key_Hyper_R = 0x01000057, Key_Help = 0x01000058, Key_Direction_L = 0x01000059, Key_Direction_R = 0x01000060, Key_Space = 0x20, // 7 bit printable ASCII Key_Any = Key_Space, Key_Exclam = 0x21, Key_QuoteDbl = 0x22, Key_NumberSign = 0x23, Key_Dollar = 0x24, Key_Percent = 0x25, Key_Ampersand = 0x26, Key_Apostrophe = 0x27, Key_ParenLeft = 0x28, Key_ParenRight = 0x29, Key_Asterisk = 0x2a, Key_Plus = 0x2b, Key_Comma = 0x2c, Key_Minus = 0x2d, Key_Period = 0x2e, Key_Slash = 0x2f, Key_0 = 0x30,Key_1 = 0x31,Key_2 = 0x32,Key_3 = 0x33,Key_4 = 0x34,Key_5 = 0x35, Key_6 = 0x36,Key_7 = 0x37,Key_8 = 0x38,Key_9 = 0x39,Key_Colon = 0x3a, Key_Semicolon = 0x3b, Key_Less = 0x3c, Key_Equal = 0x3d, Key_Greater = 0x3e, Key_Question = 0x3f, Key_At = 0x40, Key_A = 0x41, Key_B = 0x42, Key_C = 0x43, Key_D = 0x44, Key_E = 0x45, Key_F = 0x46, Key_G = 0x47, Key_H = 0x48, Key_I = 0x49, Key_J = 0x4a, Key_K = 0x4b, Key_L = 0x4c, Key_M = 0x4d, Key_N = 0x4e, Key_O = 0x4f, Key_P = 0x50, Key_Q = 0x51, Key_R = 0x52, Key_S = 0x53, Key_T = 0x54, Key_U = 0x55, Key_V = 0x56, Key_W = 0x57, Key_X = 0x58, Key_Y = 0x59, Key_Z = 0x5a, Key_BracketLeft = 0x5b, Key_Backslash = 0x5c, Key_BracketRight = 0x5d, Key_AsciiCircum = 0x5e, Key_Underscore = 0x5f, Key_QuoteLeft = 0x60, Key_BraceLeft = 0x7b, Key_Bar = 0x7c, Key_BraceRight = 0x7d, Key_AsciiTilde = 0x7e, Key_nobreakspace = 0x0a0, Key_exclamdown = 0x0a1, Key_cent = 0x0a2, Key_sterling = 0x0a3, Key_currency = 0x0a4, Key_yen = 0x0a5, Key_brokenbar = 0x0a6, Key_section = 0x0a7, Key_diaeresis = 0x0a8, Key_copyright = 0x0a9, Key_ordfeminine = 0x0aa, Key_guillemotleft = 0x0ab, // left angle quotation mark Key_notsign = 0x0ac, Key_hyphen = 0x0ad, Key_registered = 0x0ae, Key_macron = 0x0af, Key_degree = 0x0b0, Key_plusminus = 0x0b1, Key_twosuperior = 0x0b2, Key_threesuperior = 0x0b3, Key_acute = 0x0b4, Key_mu = 0x0b5, Key_paragraph = 0x0b6, Key_periodcentered = 0x0b7, Key_cedilla = 0x0b8, Key_onesuperior = 0x0b9, Key_masculine = 0x0ba, Key_guillemotright = 0x0bb, // right angle quotation mark Key_onequarter = 0x0bc, Key_onehalf = 0x0bd, Key_threequarters = 0x0be, Key_questiondown = 0x0bf, Key_Agrave = 0x0c0, Key_Aacute = 0x0c1, Key_Acircumflex = 0x0c2, Key_Atilde = 0x0c3, Key_Adiaeresis = 0x0c4, Key_Aring = 0x0c5, Key_AE = 0x0c6, Key_Ccedilla = 0x0c7, Key_Egrave = 0x0c8, Key_Eacute = 0x0c9, Key_Ecircumflex = 0x0ca, Key_Ediaeresis = 0x0cb, Key_Igrave = 0x0cc, Key_Iacute = 0x0cd, Key_Icircumflex = 0x0ce, Key_Idiaeresis = 0x0cf, Key_ETH = 0x0d0, Key_Ntilde = 0x0d1, Key_Ograve = 0x0d2, Key_Oacute = 0x0d3, Key_Ocircumflex = 0x0d4, Key_Otilde = 0x0d5, Key_Odiaeresis = 0x0d6, Key_multiply = 0x0d7, Key_Ooblique = 0x0d8, Key_Ugrave = 0x0d9, Key_Uacute = 0x0da, Key_Ucircumflex = 0x0db, Key_Udiaeresis = 0x0dc, Key_Yacute = 0x0dd, Key_THORN = 0x0de, Key_ssharp = 0x0df, Key_division = 0x0f7, Key_ydiaeresis = 0x0ff, Key_AltGr = 0x01001103, Key_Multi_key = 0x01001120, // Multi-key character compose Key_Codeinput = 0x01001137, Key_SingleCandidate = 0x0100113c, Key_MultipleCandidate = 0x0100113d, Key_PreviousCandidate = 0x0100113e, Key_unknown = 0x01ffffff } enum Orientation { //-> Horizontal = 0x1, Vertical = 0x2 } enum AlignmentFlag { //-> AlignNone = 0, AlignLeft = 0x0001, AlignLeading = AlignLeft, AlignRight = 0x0002, AlignTrailing = AlignRight, AlignHCenter = 0x0004, AlignJustify = 0x0008, AlignAbsolute = 0x0010, AlignHorizontal_Mask = AlignLeft | AlignRight | AlignHCenter | AlignJustify | AlignAbsolute, AlignTop = 0x0020, AlignBottom = 0x0040, AlignVCenter = 0x0080, AlignVertical_Mask = AlignTop | AlignBottom | AlignVCenter, AlignCenter = AlignVCenter | AlignHCenter, AlignAuto = AlignLeft, AlignExpanding = AlignLeft & AlignTop } enum GlobalColor { //-> color0, color1, black, white, darkGray, gray, lightGray, red, green, blue, cyan, magenta, yellow, darkRed, darkGreen, darkBlue, darkCyan, darkMagenta, darkYellow, transparent } enum PenStyle { //-> NoPen = 0, // Запретить рисование SolidLine = 1, // Сплошная непрерывная линия DashLine = 2, // Штрихова, длинные штрихи DotLine = 3, // Пунктир, точки DashDotLine = 4, // Штрих пунктиреая, длинный штрих + точка DashDotDotLine = 5, // штрих 2 точки штрих 2 точки CustomDashLine = 6 // A custom pattern defined using QPainterPathStroker::setDashPattern(). } enum CheckState { //-> Unchecked = 0, // Не выбранный PartiallyChecked = 1, // The item is partially checked. Items in hierarchical models may be partially checked if some, but not all, of their children are checked. Checked = 2 // Выбран The item is checked. } enum ItemFlag { NoItemFlags = 0, ItemIsSelectable = 1, // Он может быть выделен. ItemIsEditable = 2, // Он может быть отредактирован. ItemIsDragEnabled = 4, // Он может перетаскиваться. ItemIsDropEnabled = 8, // Он может быть использован, как цель перетаскивания. ItemIsUserCheckable = 16, // Он может быть отмечен пользователем или наоборот. ItemIsEnabled = 32, // Пользователь может взаимодействовать с элементом. ItemIsAutoTristate = 64, // Отмечаемый элемент с тремя различными состояниями. ItemNeverHasChildren = 128, ItemIsUserTristate = 256 } enum ImageConversionFlag { ColorMode_Mask = 0x00000003, AutoColor = 0x00000000, ColorOnly = 0x00000003, MonoOnly = 0x00000002, // Reserved = 0x00000001, AlphaDither_Mask = 0x0000000c, ThresholdAlphaDither = 0x00000000, OrderedAlphaDither = 0x00000004, DiffuseAlphaDither = 0x00000008, NoAlpha = 0x0000000c, // Not supported Dither_Mask = 0x00000030, DiffuseDither = 0x00000000, OrderedDither = 0x00000010, ThresholdDither = 0x00000020, // ReservedDither = 0x00000030, DitherMode_Mask = 0x000000c0, AutoDither = 0x00000000, PreferDither = 0x00000040, AvoidDither = 0x00000080, NoOpaqueDetection = 0x00000100, NoFormatConversion = 0x00000200 } enum TextElideMode { ElideLeft = 0, // The ellipsis should appear at the beginning of the text. ElideRight = 1, // The ellipsis should appear at the end of the text. ElideMiddle = 2, // The ellipsis should appear in the middle of the text. ElideNone = 3 // Ellipsis should NOT appear in the text. } } // ================ QObject ================ /++ Базовый класс. Хранит в себе ссылку на реальный объект в Qt C++ Base class. Stores in itself the link to real object in Qt C ++ +/ // Две этих переменных служат для поиска ошибок связанных с ошибочным // уничтожением объектов C++ static int allCreate; static int balCreate; // Переменная для анализа распределения памяти static int id; static QtObjH saveAppPtrQt; class QObject { // Тип связи сигнал - слот enum ConnectionType { AutoConnection = 0, // default. Если thred другой, то в очередь, иначе сразу выполнение DirectConnection = 1, // Выполнить немедленно QueuedConnection = 2, // Сигнал в очередь BlockingQueuedConnection = 4, // Только для разных thred UniqueConnection = 0x80, // Как AutoConnection, но обязательно уникальный AutoCompatConnection = 3 // совместимость с Qt3 } private QtObjH p_QObject; /// Адрес самого объекта из C++ Qt private bool fNoDelete; /// Если T - не вызывать деструктор private void* adrThis; /// Адрес собственного экземпляра // int id; this() { // Для подсчета ссылок создания и удаления balCreate++; allCreate++; id = allCreate; // if(balCreate < 10) // { printf("+[%d]-[%d]-[%p]->[%p] ", id, balCreate, this, fNoDelete, QtObj); writeln(this); stdout.flush(); } } /// спец Конструктор, что бы не делать реальный объект из Qt при наследовании ~this() { // Для подсчета ссылок создания и удаления balCreate--; // if(balCreate < 10) // { printf("-[%d]-[%d]-[%p] %d ->[%p] ", id, balCreate, this, fNoDelete, QtObj); writeln(this); stdout.flush(); } if(balCreate == 0) { //writeln(" delete app ... ", QtObj, " ", this); stdout.flush(); (cast(t_v__qp) pFunQt[3])(saveAppPtrQt); // setQtObj(null); } } // Ни чего в голову не лезет ... Нужно сделать объект, записав в него пришедший // с наружи указатель. Дабы отличить нужный конструктор, специально делаю // этот конструктор "вычурным" // this(char ch, void* adr) { // if(ch == '+') setQtObj(cast(QtObjH)adr); //} void setNoDelete(bool f) { //-> fNoDelete = f; } @property bool NoDelete() { //-> return fNoDelete; } void setQtObj(QtObjH adr) { //-> p_QObject = adr; } /// Заменить указатель в объекте на новый указатель @property QtObjH QtObj() { //-> return p_QObject; } /// Выдать указатель на реальный объект Qt C++ @property void* aQtObj() { //-> return &p_QObject; } /// Выдать указатель на p_QObject QObject connect(void* obj1, char* ssignal, void* obj2, char* sslot, QObject.ConnectionType type = QObject.ConnectionType.AutoConnection) { //-> (cast(t_QObject_connect) pFunQt[27])(obj1, ssignal, obj2, sslot, cast(int)type); return this; } QObject connects(QObject obj1, string ssignal, QObject obj2, string sslot) { //-> (cast(t_QObject_connect) pFunQt[27])( (cast(QObject)obj1).QtObj, MSS(ssignal, QSIGNAL), (cast(QObject)obj2).QtObj, MSS(sslot, QSLOT), cast(int)QObject.ConnectionType.AutoConnection); return this; } QObject disconnects(QObject obj1, string ssignal, QObject obj2, string sslot) { //-> (cast(t_QObject_disconnect) pFunQt[343])( (cast(QObject)obj1).QtObj, MSS(ssignal, QSIGNAL), (cast(QObject)obj2).QtObj, MSS(sslot, QSLOT)); return this; } /// Запомнить указатель на собственный экземпляр void saveThis(void* adr) { //-> Запомнить указатель на собственный экземпляр adrThis = adr; } @property void* aThis() { //-> Выдать указатель на p_QObject return &adrThis; } /// Выдать указатель на p_QObject void* parentQtObj() { //-> выдать указатель на собственного родителя в Qt return (cast(t_qp__qp)pFunQt[344])(QtObj); } void setObjectName(T)(T name) { //-> Задать имя объекту wstring ps = to!wstring(name); (cast(t_v__qp_qp) pFunQt[381])(QtObj, (cast(t_qp__qp_i)pFunQt[9])(cast(QtObjH)ps.ptr, cast(int)ps.length)); } T objectName(T)() { //-> Получить имя объекта QString qs = new QString(); (cast(t_qp__qp_qp)pFunQt[382])(QtObj, qs.QtObj); return cast(T)qs.String(); } void dumpObjectInfo() { (cast(t_qp__qp_i)pFunQt[383])(QtObj, 0); } void dumpObjectTree() { (cast(t_qp__qp_i)pFunQt[383])(QtObj, 1); } } // ================ QPalette ================ /++ QPalette - Палитры цветов +/ class QPalette : QObject { enum ColorGroup { //-> Active, Disabled, Inactive, NColorGroups, Current, All, Normal = Active } enum ColorRole { //-> WindowText, Button, Light, Midlight, Dark, Mid, Text, BrightText, ButtonText, Base, Window, Shadow, Highlight, HighlightedText, Link, LinkVisited, // ### Qt 5: remove AlternateBase, NoRole, // ### Qt 5: value should be 0 or -1 ToolTipBase, ToolTipText, NColorRoles = ToolTipText + 1, Foreground = WindowText, Background = Window // ### Qt 5: remove } this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[17])(QtObj); setQtObj(null); } } this(QWidget parent) { setQtObj((cast(t_qp__v) pFunQt[16])()); } /// Конструктор } // ================ QRgb ================ struct QRgb { int data; int set(uint r, uint g, uint b, uint a = 255) { int rez; rez = r | (g << 8) | (b << 16) | (a << 24); data = rez; return rez; } @property int qRed() { // get red part of RGB return ((data >> 16) & 0xff); } @property int qGreen() { // get green part of RGB return ((data >> 8) & 0xff); } @property int qBlue() { // get blue part of RGB return (data & 0xff); } @property int qAlpha() { // get alpha part of RGB return data >> 24; } @property int toGray() { // get alpha part of RGB int rez = ((qRed*11) + (qGreen*16) + (qBlue*5)) / 32; write(rez, " "); return ((qRed*11) + (qGreen*16) + (qBlue*5)) / 32; } @property int toGrayRealy() { // get alpha part of RGB int rez = ((qRed*11) + (qGreen*16) + (qBlue*5)) / 32; set(rez, rez, rez, rez); return data; } int qGray(int r, int g, int b) { return (r*11+g*16+b*5)/32; } int qGray(QRgb rgb) { return qGray(rgb.qRed(), rgb.qGreen(), rgb.qBlue()); } bool iqIsGray(QRgb rgb) { return rgb.qRed() == rgb.qGreen() && rgb.qRed() == rgb.qBlue(); } } // ================ QColor ================ /++ QColor - Цвет +/ class QColor : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[14])(QtObj); setQtObj(null); } } this(QWidget parent) { setQtObj((cast(t_qp__v) pFunQt[13])()); } /// Конструктор this(uint color) { setQtObj((cast(t_qp__ui) pFunQt[324])(color)); } this(QtE.GlobalColor color) { setQtObj((cast(t_qp__ui) pFunQt[425])(color)); } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } QColor setRgb(int r, int g, int b, int a = 255) { //-> (cast(t_v__qp_i_i_i_i) pFunQt[15])(QtObj, r, g, b, a); return this; } /// Sets the RGB value to r, g, b and the alpha value to a. All the values must be in the range 0-255. QColor setRgb(QRgb rgb) { //-> (cast(t_v__qp_i_i_i_i) pFunQt[15])(QtObj, rgb.qRed, rgb.qGreen, rgb.qBlue, rgb.qAlpha); return this; } /// Sets the RGB value to r, g, b and the alpha value to a. All the values must be in the range 0-255. QColor getRgb(int* r, int* g, int* b, int* a) { //-> (cast(t_v__qp_ip_ip_ip_ip) pFunQt[320])(QtObj, r, g, b, a); return this; } /// Sets the RGB value to r, g, b and the alpha value to a. All the values must be in the range 0-255. QColor setRgba(uint r) { //-> Установить цвет (QRgb Qt) (cast(t_v__qp_ui) pFunQt[323])(QtObj, r); return this; } uint rgb() { //-> Получить цвет (QRgb Qt) return (cast(t_ui__qp) pFunQt[322])(QtObj); } } // ================ QBrush ================ /++ QBrush - Оформление +/ class QBrush : QObject { enum BrushStyle { //-> NoBrush = 0, // No brush pattern. SolidPattern = 1, // Однообразный Dense1Pattern = 2, // Исключительно плотный Dense2Pattern = 3, // Довольно плотный Dense3Pattern = 4, // Somewhat dense brush pattern. Dense4Pattern = 5, // Half dense brush pattern. Dense5Pattern = 6, // Somewhat sparse brush pattern. Dense6Pattern = 7, // Very sparse brush pattern. Dense7Pattern = 8, // Extremely sparse brush pattern. HorPattern = 9, // Горизонтальная штриховка VerPattern = 10, // Вертикальная штриховка CrossPattern = 11, // Сетка BDiagPattern = 12, // Backward diagonal lines. FDiagPattern = 13, // Forward diagonal lines. DiagCrossPattern = 14, // Crossing diagonal lines. LinearGradientPattern = 15, // Linear gradient (set using a dedicated QBrush constructor). ConicalGradientPattern= 17, // Conical gradient (set using a dedicated QBrush constructor). RadialGradientPattern= 16, // Radial gradient (set using a dedicated QBrush constructor). TexturePattern =24 // Custom pattern (see QBrush::setTexture()). } this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[178])(QtObj); setQtObj(null); } } this(QWidget parent) { setQtObj((cast(t_qp__v) pFunQt[177])()); } /// Конструктор QBrush setColor(QColor color) { //-> (cast(t_v__qp_qp) pFunQt[179])(QtObj, color.QtObj); return this; } QBrush setStyle(BrushStyle style = BrushStyle.SolidPattern) { //-> (cast(t_v__qp_i) pFunQt[181])(QtObj, style); return this; } } /* // ------- QBrush ------- funQt(177, bQtE5Widgets, hQtE5Widgets, sQtE5Widgets, "qteQBrush_create1", showError); funQt(178, bQtE5Widgets, hQtE5Widgets, sQtE5Widgets, "qteQBrush_delete", showError); funQt(179, bQtE5Widgets, hQtE5Widgets, sQtE5Widgets, "qteQBrush_setColor", showError); */ // ================ QPaintDevice ================ class QPaintDevice: QObject { int typePD; // 0=QWidget, 1=QImage this(){} int height() { return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 0); } int width() { return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 1); } int colorCount() { //-> Выдать доступное для рисования количество цветов return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 2); // pFunQt[369])(QtObj, 2); } int depth() { //-> return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 3); } int devicePixelRatio() { //-> return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 4); } int heightMM() { //-> return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 5); } int widthMM() { //-> return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 6); } int logicalDpiX() { //-> return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 7); } int logicalDpiY() { //-> return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 8); } int physicalDpiX() { //-> return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 9); } int physicalDpiY() { //-> return (cast(t_i__qp_i_i) pFunQt[379])(QtObj, typePD, 10); } bool paintingActive() { //-> F .. paintBegin .. T .. paintEnd F return (cast(t_b__qp_i) pFunQt[380])(QtObj, typePD); } } // ================ gWidget ================ struct sQWidget { //____________________________ private: QtObjH adrCppObj; //____________________________ public: @disable this(); @property QtObjH QtObj() { return adrCppObj; } void setQtObj(QtObjH adr) { adrCppObj = adr; } //____________________________ ~this() { (cast(t_v__qp) pFunQt[7])(QtObj); setQtObj(null); } this(int ptr) { } this(sQWidget* parent, QtE.WindowType fl = QtE.WindowType.Widget) { if (parent) { // setNoDelete(true); setQtObj((cast(t_qp__qp_i)pFunQt[5])(parent.QtObj, cast(int)fl)); } else { setQtObj((cast(t_qp__qp_i)pFunQt[5])(null, cast(int)fl)); } } void init(sQWidget* parent = null, QtE.WindowType fl = QtE.WindowType.Widget) { if (parent) { // setNoDelete(true); setQtObj((cast(t_qp__qp_i)pFunQt[5])(parent.QtObj, cast(int)fl)); } else { setQtObj((cast(t_qp__qp_i)pFunQt[5])(null, cast(int)fl)); } } void show() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 3); } } /++ QWidget (Окно), но немного модифицированный в QtE.DLL. <br>Хранит в себе ссылку на реальный С++ класс gWidget из QtE.dll <br>Добавлены свойства хранящие адреса для вызова обратных функций для реакции на события. +/ class QWidget: QPaintDevice { enum PolicyFlag { //-> GrowFlag = 1, ExpandFlag = 2, ShrinkFlag = 4, IgnoreFlag = 8 } enum Policy { //-> Fixed = 0, Minimum = PolicyFlag.GrowFlag, Maximum = PolicyFlag.ShrinkFlag, Preferred = PolicyFlag.GrowFlag | PolicyFlag.ShrinkFlag, MinimumExpanding = PolicyFlag.GrowFlag | PolicyFlag.ExpandFlag, Expanding = PolicyFlag.GrowFlag | PolicyFlag.ShrinkFlag | PolicyFlag.ExpandFlag, Ignored = PolicyFlag.ShrinkFlag | PolicyFlag.GrowFlag | PolicyFlag.IgnoreFlag } // Жуткое откровение dmd. Оказывается, выходя за границы блока объект // не разрушается, а продолжает существовать, по GC его не прикончит. // В связи с этим надо вызывать ~this() если надо явно разрушить объект. // Qt - тоже ещё тот "подарок". При указании родителя (того самого parent) // происходит связывание в дерево. При удалении родительского объекта Qt // удаляются каскадно все вложенные в него подобъекты. Однако dmd об этом // ни чего не знает. По этому пришлось вставить fNoDelete, который надо // установить в T если объект подвергся вставке и значит будет удален каскадно. this() { /*assert(false, mesNoThisWitoutPar ~ to!string(__LINE__) ~ " : " ~ to!string(__FILE__)); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj !is null)) { /* writeln("del QWidget"); */ (cast(t_v__qp) pFunQt[7])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent = null, QtE.WindowType fl = QtE.WindowType.Widget) { typePD = 0; if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_i)pFunQt[5])(parent.QtObj, cast(int)fl)); } else { // writeln("--0->", pFunQt[5]); setQtObj((cast(t_qp__qp_i)pFunQt[5])(null, cast(int)fl)); // writeln("--1->", pFunQt[5]); } } /// QWidget::QWidget(QWidget * parent = 0, Qt::WindowFlags f = 0) bool isVisible() { //-> return (cast(t_bool__vp)pFunQt[12])(QtObj); } /// QWidget::isVisible(); QWidget setVisible(bool f) { //-> // Скрыть, Показать виджет (cast(t_v__qp_bool)pFunQt[6])(QtObj, f); return this; } /// On/Off - это реальный setVisible from QtWidget.dll //QWidget show() { setVisible(true); return this; } /// Показать виджет //QWidget hide() { setVisible(false); return this; } /// Скрыть виджет QWidget setWindowTitle(QString qstr) { //-> // Установить заголовок окна (cast(t_v__qp_qp) pFunQt[11])(QtObj, qstr.QtObj); return this; } /// Установить заголовок окна QWidget setWindowTitle(T)(T str) { //-> // Было: return setWindowTitle(new QString(to!string(str))); // Однако, при таком вызове остается висеть в памяти D объект и C++ QString, // по этому, здесь, я явно удаляю этот объект из памяти и также удаляется C++ QString // -- QString qs = new QString(to!string(str)); setWindowTitle(qs); delete qs; return this; (cast(t_v__qp_qp) pFunQt[11])(QtObj, sQString(to!string(str)).QtObj); return this; // sQString sqs = sQString(to!string(str)); (cast(t_v__qp_qp) pFunQt[11])(QtObj, sqs.QtObj); return this; } /// Установить текст Заголовка QWidget setStyleSheet(QString str) { //-> (cast(t_v__qp_qp)pFunQt[30])(QtObj, str.QtObj); return this; } /// При помощи строки задать описание эл. Цвет и т.д. QWidget setStyleSheet(T)(T str) { //-> (cast(t_v__qp_qp)pFunQt[30])(QtObj, sQString(to!string(str)).QtObj); return this; } /// При помощи строки задать описание эл. Цвет и т.д. QWidget setToolTip(QString str) { //-> (cast(t_v__qp_qp)pFunQt[33])(QtObj, str.QtObj); return this; } /// При помощи строки задать описание эл. Цвет и т.д. QWidget setToolTip(T)(T str) { //-> (cast(t_v__qp_qp)pFunQt[33])(QtObj, sQString(to!string(str)).QtObj); return this; } /// При помощи строки задать описание эл. Цвет и т.д. QWidget setMinimumSize(int w, int h) { //-> (cast(t_v__qp_b_i_i) pFunQt[31])(QtObj, true, w, h); return this; } /// Минимальный размер в лайоутах QWidget setMaximumSize(int w, int h) { //-> (cast(t_v__qp_b_i_i) pFunQt[31])(QtObj, false, w, h); return this; } /// Максимальный размер в лайоутах QWidget setEnabled(bool fl) { //-> (cast(t_v__qp_bool) pFunQt[32])(QtObj, fl); return this; } /// Доступен или нет QWidget setLayout(QBoxLayout layout) { //-> layout.setNoDelete(true); (cast(t_v__qp_qp) pFunQt[40])(QtObj, layout.QtObj); return this; } /// Вставить в виджет выравниватель QWidget setLayout(QGridLayout layout) { //-> layout.setNoDelete(true); (cast(t_v__qp_qp) pFunQt[40])(QtObj, layout.QtObj); return this; } /// Вставить в виджет выравниватель /++ Установить обработчик на событие ResizeWidget. Здесь <u>adr</u> - адрес на функцию D + обрабатывающую событие. Обработчик получает аргумент. См. док. Qt + Пример: <code> + <br>. . . + <br>void ОбработкаСобытия(void* adrQResizeEvent) { + <br> writeln("Изменен размер виджета"); + <br> } + <br>. . . + <br>gWidget w = new gWidget(null, 0); w.setOnClick(&ОбработкаСобытия); + <br>. . . + </code> +/ QWidget setResizeEvent(void* adr, void* adrThis = null) { //-> (cast(t_v__qp_qp_qp) pFunQt[52])(QtObj, cast(QtObj__*)adr, cast(QtObj__*)adrThis); return this; } /// Установить обработчик на событие ResizeWidget QWidget setKeyReleaseEvent(void* adr, void* adrThis = null) { //-> (cast(t_v__qp_qp_qp) pFunQt[225])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis); return this; } QWidget setKeyPressEvent(void* adr, void* adrThis = null) { //-> //(cast(t_v__qp_qp_qp) pFunQt[80])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis); return this; // (cast(t_v__qp_qp) pFunQt[49])(QtObj, cast(QtObjH)adr); return this; } /// Установить обработчик на событие KeyPressEvent. Здесь <u>adr</u> - адрес на функцию D +/ QWidget setPaintEvent(void* adr, void* adrThis = null) { //-> (cast(t_v__qp_qp_qp) pFunQt[50])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis); return this; } /// Установить обработчик на событие PaintEvent. Здесь <u>adr</u> - адрес на функцию D +/ QWidget setCloseEvent(void* adr, void* adrThis = null) { //-> (cast(t_v__qp_qp_qp) pFunQt[51])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis); return this; } /// Установить обработчик на событие CloseEvent. Здесь <u>adr</u> - адрес на функцию D +/ QWidget setMousePressEvent(void* adr, void* adrThis = null) { //-> (cast(t_v__qp_qp_qp) pFunQt[348])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis); return this; } /// Установить обработчик на событие MousePressEvent. Здесь <u>adr</u> - адрес на функцию D +/ QWidget setMouseReleaseEvent(void* adr, void* adrThis = null) { //-> (cast(t_v__qp_qp_qp) pFunQt[349])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis); return this; } /// Установить обработчик на событие MouseReleaseEvent. Здесь <u>adr</u> - адрес на функцию D +/ QWidget setMouseWheelEvent(void* adr, void* adrThis = null) { //-> (cast(t_v__qp_qp_qp) pFunQt[435])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis); return this; } QWidget setSizePolicy(int w, int h) { //-> (cast(t_v__qp_i_i) pFunQt[78])(QtObj, w, h); return this; } /// Установить обработчик на событие CloseEvent. Здесь <u>adr</u> - адрес на функцию D +/ QWidget setMaximumWidth(int w) { //-> (cast(t_v__qp_i_i) pFunQt[79])(QtObj, 0, w); return this; } /// setMaximumWidth(); QWidget setMinimumWidth(int w) { //-> (cast(t_v__qp_i_i) pFunQt[79])(QtObj, 1, w); return this; } /// setMinimumWidth(); QWidget setFixedWidth(int w) { //-> (cast(t_v__qp_i_i) pFunQt[79])(QtObj, 5, w); return this; } /// setFixedWidth(); QWidget setMaximumHeight(int h) { //-> (cast(t_v__qp_i_i) pFunQt[79])(QtObj, 2, h); return this; } /// setMaximumHeight(); QWidget setMinimumHeight(int h) { //-> (cast(t_v__qp_i_i) pFunQt[79])(QtObj, 3, h); return this; } /// setMinimumHeight(); QWidget setFixedHeight(int h) { //-> (cast(t_v__qp_i_i) pFunQt[79])(QtObj, 4, h); return this; } /// setFixedHeight(); QWidget setToolTipDuration(int msek) { //-> (cast(t_v__qp_i_i) pFunQt[79])(QtObj, 6, msek); return this; } /// Время показа в МилиСекундах QWidget setFocus() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 0); return this; } /// Установить фокус QWidget close() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 1); return this; } /// Закрыть окно QWidget hide() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 2); return this; } QWidget show() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 3); return this; } QWidget showFullScreen() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 4); return this; } QWidget showMaximized() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 5); return this; } QWidget showMinimized() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 6); return this; } QWidget showNormal() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 7); return this; } /// QWidget update() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 8); return this; } /// QWidget raise() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 9); return this; } /// Показать окно на вершине QWidget lower() { //-> (cast(t_v__qp_i) pFunQt[87])(QtObj, 10); return this; } /// Скрыть в стеке QWidget move(int x, int y) { //-> (cast(t_v__qp_i_i_i) pFunQt[94])(QtObj, 0, x, y); return this; } /// This property holds the size of the widget excluding any window frame QWidget resize(int w, int h) { //-> (cast(t_v__qp_i_i_i) pFunQt[94])(QtObj, 1, w, h); return this; } /// This property holds the size of the widget excluding any window frame QWidget setFont(QFont font) { //-> (cast(t_v__qp_qp) pFunQt[131])(QtObj, font.QtObj); return this; } void* winId() { //-> return (cast(t_vp__qp) pFunQt[148])(QtObj); } int x() { //-> return (cast(t_i__qp_i) pFunQt[172])(QtObj, 0); } int y() { //-> return (cast(t_i__qp_i) pFunQt[172])(QtObj, 1); } bool hasFocus() { //-> Виджет имеет фокус return (cast(t_b__qp_i) pFunQt[259])(QtObj, 0); } bool acceptDrops() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 1); } bool autoFillBackground() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 2); } bool hasMouseTracking() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 3); } bool isActiveWindow() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 4); } bool isEnabled() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 5); } bool isFullScreen() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 6); } bool isHidden() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 7); } bool isMaximized() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 8); } bool isMinimized() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 9); } bool isModal() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 10); } bool isWindow() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 11); } bool isWindowModified() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 12); } bool underMouse() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 13); } bool updatesEnabled() { //-> return (cast(t_b__qp_i) pFunQt[259])(QtObj, 14); } QWidget setGeometry(int x, int y, int w, int h) { //-> Установить геометрию виджета (cast(t_v__qp_i_i_i_i) pFunQt[279])(QtObj, x, y, w, h); return this; } QRect contentsRect(QRect tk) { //-> Вернуть QRect дочерней области (cast(t_v__qp_qp) pFunQt[280])(QtObj, tk.QtObj); return tk; } } // ============ QAbstractButton ======================================= class QAbstractButton : QWidget { this() { /* msgbox( "new QAbstractButton(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен this(QWidget parent) { } ~this() { if (QtObj) setQtObj(null); } QAbstractButton setText(T: QString)(T str) { (cast(t_v__qp_qp) pFunQt[28])(QtObj, str.QtObj); return this; } /// Установить текст на кнопке QAbstractButton setText(T)(T str) { //-> (cast(t_v__qp_qp) pFunQt[28])(QtObj, sQString(to!string(str)).QtObj); return this; } /// Установить текст на кнопке T text(T: QString)() { //-> QString qs = new QString(); (cast(t_v__qp_qp)pFunQt[29])(QtObj, qs.QtObj); return qs; } T text(T)() { return to!T(text!QString().String); } QAbstractButton setAutoExclusive(bool pr) { //-> (cast(t_v__qp_b_i) pFunQt[209])(QtObj, pr, 0); return this; } /// QAbstractButton setAutoRepeat(bool pr) { //-> (cast(t_v__qp_b_i) pFunQt[209])(QtObj, pr, 1); return this; } /// QAbstractButton setCheckable(bool pr) { //-> (cast(t_v__qp_b_i) pFunQt[209])(QtObj, pr, 2); return this; } /// QAbstractButton setDown(bool pr) { //-> (cast(t_v__qp_b_i) pFunQt[209])(QtObj, pr, 3); return this; } /// QAbstractButton setChecked(bool pr) { //-> Включить кнопку (cast(t_v__qp_b_i) pFunQt[209])(QtObj, pr, 4); return this; } /// QAbstractButton setIcon(QIcon ik) { //-> (cast(t_v__qp_qp) pFunQt[211])(QtObj, ik.QtObj); return this; } /// bool autoExclusive() { //-> T - Эксклюзивное использование return (cast(t_b__qp_i) pFunQt[224])(QtObj, 0); } bool autoRepeat() { //-> T - Повторяющеяся return (cast(t_b__qp_i) pFunQt[224])(QtObj, 1); } bool isCheckable() { //-> T - Может нажиматься return (cast(t_b__qp_i) pFunQt[224])(QtObj, 2); } bool isChecked() { //-> T - Нажата return (cast(t_b__qp_i) pFunQt[224])(QtObj, 3); } bool isDown() { //-> T - Нажата return (cast(t_b__qp_i) pFunQt[224])(QtObj, 4); } /* bool isChecked() { return (cast(t_b__vp) pFunQt[265])(QtObj); } /// T = нажата */ } // ================ QPushButton ================ /++ QPushButton (Нажимаемая кнопка), но немного модифицированный в QtE.DLL. <br>Хранит в себе ссылку на реальный С++ класс QPushButtong из QtGui.dll <br>Добавлены свойства хранящие адреса для вызова обратных функций для реакции на события. +/ class QPushButton : QAbstractButton { this(){} ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[23])(QtObj); setQtObj(null); } } this(T: QString)(T str, QWidget parent = null) { // super(); // Это фактически заглушка, что бы сделать наследование, // не создавая промежуточного экземпляра в Qt if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_qp) pFunQt[22])(parent.QtObj, str.QtObj)); } else { setQtObj((cast(t_qp__qp_qp) pFunQt[22])(null, str.QtObj)); } } /// Создать кнопку. this(T)(T str, QWidget parent = null) { // super(); // Это фактически заглушка, что бы сделать наследование, // не создавая промежуточного экземпляра в Qt if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_qp) pFunQt[22])(parent.QtObj, sQString(to!string(str)).QtObj )); } else { setQtObj((cast(t_qp__qp_qp) pFunQt[22])(null, sQString(to!string(str)).QtObj )); } } QPushButton setAutoDefault(bool pr) { //-> (cast(t_v__qp_b_i) pFunQt[210])(QtObj, pr, 0); return this; } /// QPushButton setDefault(bool pr) { //-> (cast(t_v__qp_b_i) pFunQt[210])(QtObj, pr, 1); return this; } /// QPushButton setFlat(bool pr) { //-> (cast(t_v__qp_b_i) pFunQt[210])(QtObj, pr, 2); return this; } /// } // ================ QEndApplication ================ // Идея: D уничтожает объеты в порядке FIFO, а Qt в порядке LIFO и к тому же // Qt имеетт каскадное удаление объектов типа QWidget. // В связи с этим, все каскадные объекты (дети) получают признак setNoDelete(true); в QtE5. // Сам QApplication удаляется первым (первым создан), но его нужно удалить последним // Для этого создаётся класс QEndApplication, задача которого вызвать деструктор // Qt-шного QApplication воследним в программе. // QEndApplication должен быть определен непосредственно перед выходом из процедуры main() // для того, что бы гарантировать что будет создан последним и соответственно удален // последним при завершениии программы /* class QEndApplication : QObject { this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } ~this() { // printf("DELETE app fro QEndApplication ... %d \n"); stdout.flush(); // delete app; (cast(t_v__qp) pFunQt[3])(QtObj); setQtObj(null); } } */ // ================ QApplication ================ /++ Класс приложения. <b>Внимание:</b> +/ private struct stQApplication { void* rref; int alloc; int size; char* data; // Вот собственно за чем нам это нужно, указатель на массив байтов // char array[1]; } // Проверка идеи с структурами = С++ объектам struct sQApplication { //____________________________ private: QtObjH adrCppObj; //____________________________ public: @disable this(); @property QtObjH QtObj() { return adrCppObj; } void setQtObj(QtObjH adr) { adrCppObj = adr; } //____________________________ ~this() { (cast(t_v__qp)pFunQt[3])(QtObj); setQtObj(null); } this(int* m_argc, char** m_argv, int gui) { setQtObj((cast(t_qp__qp_qp_i) pFunQt[0])(cast(QtObjH)m_argc, cast(QtObjH)m_argv, gui)); } void init(int* m_argc, char** m_argv, int gui) { setQtObj((cast(t_qp__qp_qp_i) pFunQt[0])(cast(QtObjH)m_argc, cast(QtObjH)m_argv, gui)); } int exec() { //-> Выполнить return (cast(t_i__qp) pFunQt[1])(QtObj); } void aboutQt() { //-> Об Qt (cast(t_v__qp) pFunQt[2])(QtObj); } } // ================ QCoreApplication ================ class QCoreApplication : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[427])(QtObj); setQtObj(null); } } this(int* m_argc, char** m_argv, int gui) { setQtObj((cast(t_qp__qp_qp_i) pFunQt[426])(cast(QtObjH)m_argc, cast(QtObjH)m_argv, gui)); saveAppPtrQt = QtObj; } bool installTranslator(QTranslator qtr) { //-> Загрузить файл локализации return (cast(t_b__qp_qp) pFunQt[470])(QtObj, qtr.QtObj); } T appDirPath(T: QString)() { //-> Путь до приложения QString qs = new QString(); (cast(t_v__qp_qp)pFunQt[20])(QtObj, qs.QtObj); return qs; } T appDirPath(T)() { //-> Путь до приложения return to!T((appDirPath!QString()).String); } T appFilePath(T: QString)() { //-> Путь до приложения QString qs = new QString(); (cast(t_v__qp_qp)pFunQt[21])(QtObj, qs.QtObj); return qs; } T appFilePath(T)() { //-> Путь до приложения return to!T((appFilePath!QString()).String); } int exec() { //-> Выполнить return (cast(t_i__qp) pFunQt[1])(QtObj); } /// QApplication::exec() void processEvents() { //-> Передать цикл выполнения в ОС (cast(t_v__qp)pFunQt[368])(QtObj); } void exit(int kod) { //-> (cast(t_v__qp_i) pFunQt[276])(QtObj, kod); } } // ================ QGuiApplication ================ class QGuiApplication : QCoreApplication { this() {} ~this() {} void restoreOverrideCursor() { (cast(t_v__qp_qp_i) pFunQt[428])(QtObj, null, 0); } void setApplicationDisplayName(T)(T str) { sQString sqs = sQString(to!string(str)); (cast(t_v__qp_qp_i) pFunQt[428])(QtObj, sqs.QtObj, 1); } void setDesktopFileName(T)(T str) { sQString sqs = sQString(to!string(str)); (cast(t_v__qp_qp_i) pFunQt[428])(QtObj, sqs.QtObj, 2); } void setDesktopSettingsAware(bool on) { (cast(t_v__qp_qp_i) pFunQt[428])(QtObj, cast(QtObjH)on, 3); } void setFallbackSessionManagementEnabled(bool on) { (cast(t_v__qp_qp_i) pFunQt[428])(QtObj, cast(QtObjH)on, 4); } void setFont(QFont font) { (cast(t_v__qp_qp_i) pFunQt[428])(QtObj, font.QtObj, 5); } void setWindowIcon(QIcon icon) { (cast(t_v__qp_qp_i) pFunQt[428])(QtObj, icon.QtObj, 6); } void setStyleSheet(T)(T str) { sQString sqs = sQString(to!string(str)); (cast(t_v__qp_qp_i) pFunQt[428])(QtObj, sqs.QtObj, 7); } } class QApplication : QGuiApplication { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[3])(QtObj); setQtObj(null); } } this(int* m_argc, char** m_argv, int gui) { setQtObj((cast(t_qp__qp_qp_i) pFunQt[0])(cast(QtObjH)m_argc, cast(QtObjH)m_argv, gui)); saveAppPtrQt = QtObj; setNoDelete(true); } /// QApplication::QApplication(argc, argv, param); void aboutQt() { //-> Об Qt (cast(t_v__qp) pFunQt[2])(QtObj); } /// QApplication::aboutQt() void aboutQtE5() { //-> msgbox( " <H2>QtE5 - is a D wrapper for Qt-5</H2> <H3>" ~ format("MGW 2016 ver %s.%s -- %s", verQt5Eu, verQt5El, verQt5Ed) ~ "</H3> <a href='https://github.com/MGWL/QtE5'>https://github.com/MGWL/QtE5</a> <BR> <a href='http://mgw.narod.ru/about.htm'>http://mgw.narod.ru/about.htm</a> <BR> <BR> <IMG src='ICONS/qte5.png'> <BR> ", "About QtE5"); } void quit() { //-> Выход (cast(t_v__qp) pFunQt[273])(QtObj); } int sizeOfQtObj() { //-> Размер объекта QApplicatin. Size of QApplicatin return (cast(t_i__vp) pFunQt[4])(QtObj); } /// Размер объекта QApplicatin. Size of QApplicatin /* void setStyleSheet(T: QString)(T str) { //-> Установить оформление (cast(t_v__qp_qp) pFunQt[277])(QtObj, str.QtObj); } void setStyleSheet(T)(T str) { //-> Установить оформление (cast(t_v__qp_qp) pFunQt[277])(QtObj, (new QString(to!string(str))).QtObj); } */ } // =============== sQString ================ private { QtObjH f_9(wstring ps) { return (cast(t_qp__qp_i)pFunQt[9])(cast(QtObjH)ps.ptr, cast(int)ps.length); } string f_18_19(QtObjH qp) { wchar* wc = (cast(t_uwc__qp) pFunQt[18])(qp); int size = (cast(t_i__qp) pFunQt[19]) (qp); char[] buf; for (int i; i != size; i++) { encode(buf, *(wc + i)); } return to!string(buf); } } // ================ QByteArray ================ class QByteArray : QObject { this(){} this(char* buf) { setQtObj((cast(t_qp__qp)pFunQt[500])(cast(QtObjH)buf)); } this(string strD) { setQtObj((cast(t_qp__qp)pFunQt[500])(cast(QtObjH)strD.ptr)); } ~this() { (cast(t_v__qp)pFunQt[501])(cast(QtObjH)QtObj); } @property int size() { return (cast(t_i__qp) pFunQt[502])(cast(QtObjH)QtObj); } @property int length() { return size(); } @property char* data() { return cast(char*)(cast(t_qp__qp)pFunQt[503])(QtObj); } char getChar(int n) { return *(n + (cast(char*) data())); } QByteArray trimmed() { (cast(t_v__qp_i)pFunQt[504])(cast(QtObjH)QtObj, 0); return this; } /// Выкинуть пробелы с обоих концов строки (AllTrim()) QByteArray simplified() { (cast(t_v__qp_i)pFunQt[504])(cast(QtObjH)QtObj, 1); return this; } /// выкинуть лишние пробелы внутри строки } // ================ sQString ================ struct sQString { //____________________________ private: QtObjH adrCppObj; //____________________________ public: @disable this(); @property QtObjH QtObj() { return adrCppObj; } void setQtObj(QtObjH adr) { adrCppObj = adr; } //____________________________ ~this() { (cast(t_v__qp) pFunQt[10])(QtObj); } this(T)(T s) { setQtObj(f_9(to!wstring(s))); } /// Конструктор где s - Utf-8. Пример: QString qs = new QString("Привет!"); this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); // fNoDelete = true; } int size() { //-> Размер в UNICODE символах return (cast(t_i__qp) pFunQt[19])(QtObj); } /// Размер в UNICODE символах ubyte* data() { //-> Указатель на UNICODE return (cast(t_ub__qp) pFunQt[18])(QtObj); } /// Указатель на UNICODE string toUtf8() { //-> Конвертировать внутреннее представление в wstring return f_18_19(QtObj); } /// Конвертировать внутреннее представление в wstring @property string String() { //-> return string D from QString return toUtf8(); } /// return string D from QString } // ================ QString ================ class QString: QObject { // this() - допустим, если тет наследования C++ this() { setQtObj((cast(t_qp__v)pFunQt[8])()); } // Обязателен косвенный вызов (баг D) ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[10])(QtObj); setQtObj(null); } } this(T)(T s) { setQtObj(f_9(to!wstring(s))); } /// Конструктор где s - Utf-8. Пример: QString qs = new QString("Привет!"); this(QtObjH adr) { setQtObj(adr); } /// Изготовить QString из пришедшего из вне указателя на C++ QString this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); fNoDelete = true; } int size() { //-> Размер в UNICODE символах return (cast(t_i__qp) pFunQt[19])(QtObj); } /// Размер в UNICODE символах ubyte* data() { //-> Указатель на UNICODE return (cast(t_ub__qp) pFunQt[18])(QtObj); } /// Указатель на UNICODE string toUtf8() { //-> Конвертировать внутреннее представление в wstring return f_18_19(QtObj); } /// Конвертировать внутреннее представление в wstring @property string String() { //-> return string D from QString return toUtf8(); } /// return string D from QString int sizeOfQString() { //-> return (cast(t_i__v) pFunQt[281])(); } } // ================ QGridLayout ================ class QGridLayout : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[331])(QtObj); setQtObj(null); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[330])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[330])(null)); } } int columnCount() { //-> return (cast(t_i__qp_i) pFunQt[332])(QtObj, 0); } int horizontalSpacing() { //-> return (cast(t_i__qp_i) pFunQt[332])(QtObj, 1); } int rowCount() { //-> return (cast(t_i__qp_i) pFunQt[332])(QtObj, 2); } int spacing() { //-> return (cast(t_i__qp_i) pFunQt[332])(QtObj, 3); } int verticalSpacing() { //-> return (cast(t_i__qp_i) pFunQt[332])(QtObj, 4); } int columnMinimumWidth(int column) { //-> return (cast(t_i__qp_i_i) pFunQt[335])(QtObj, column, 0); } int columnStretch(int column) { //-> return (cast(t_i__qp_i_i) pFunQt[335])(QtObj, column, 1); } int rowMinimumHeight(int row) { //-> return (cast(t_i__qp_i_i) pFunQt[335])(QtObj, row, 2); } int rowStretch(int row) { //-> return (cast(t_i__qp_i_i) pFunQt[335])(QtObj, row, 3); } QGridLayout setColumnMinimumWidth(int column, int minSize) { //-> (cast(t_v__qp_i_i_i) pFunQt[336])(QtObj, column, minSize, 0); return this; } QGridLayout setColumnStretch(int column, int stretch) { //-> (cast(t_v__qp_i_i_i) pFunQt[336])(QtObj, column, stretch, 1); return this; } QGridLayout setRowMinimumHeight(int row, int minSize) { //-> (cast(t_v__qp_i_i_i) pFunQt[336])(QtObj, row, minSize, 2); return this; } QGridLayout setRowStretch(int row, int stretch) { //-> (cast(t_v__qp_i_i_i) pFunQt[336])(QtObj, row, stretch, 3); return this; } /* QWidget * widget — указатель на виджет, который устанавливается в ячейку менеджера компоновки. int row — номер ряда, в который устанавливается виджет. Нумерация рядов начинается с нуля. int column — номер столбца, в который устанавливается виджет. Нумерация столбцов начинается с нуля. Qt::Alignment alignment = 0 ) — способ выравнивания виджета в ячейке. Параметр имеет значение по-умолчанию и может не указываться явно. int fromRow — номер ряда, в который устанавливается верхняя левая часть виджета. Используется для случая, когда виджет необходимо разместить на несколько смежных ячеек. int fromColumn — номер столбца, в который устанавливается верхняя левая часть виджета. Используется для случая, когда виджет необходимо разместить на несколько смежных ячеек. int rowSpan — количество рядов, ячейки которых следует объединить для размещения виджета начиная с ряда fromRow. int columnSpan — количество столбцов, ячейки которых следует объединить для размещения виджета начиная со столбца fromColumn. */ QGridLayout addWidget(QWidget wd, int row, int column, QtE.AlignmentFlag ali = QtE.AlignmentFlag.AlignNone) { //-> wd.setNoDelete(true); (cast(t_v__qp_qp_i_i_i)pFunQt[333])(QtObj, wd.QtObj, row, column, ali); return this; } QGridLayout addWidget(QWidget wd, int fromRow, int fromColumn, int rowSpan, int colSpan, QtE.AlignmentFlag ali = QtE.AlignmentFlag.AlignNone) { //-> wd.setNoDelete(true); (cast(t_v__qp_qp_i_i_i_i_i)pFunQt[334])(QtObj, wd.QtObj, fromRow, fromColumn, rowSpan, colSpan, ali); return this; } QGridLayout addLayout(T)(T wd, int row, int column, QtE.AlignmentFlag ali = QtE.AlignmentFlag.AlignNone) { //-> (cast(t_v__qp_qp_i_i_i)pFunQt[337])(QtObj, wd.QtObj, row, column, ali); return this; } } // ================ QBoxLayout ================ /++ QBoxLayout - это класс выравнивателей. Они управляют размещением элементов на форме. +/ class QBoxLayout : QObject { enum Direction { //-> LeftToRight = 0, RightToLeft = 1, TopToBottom = 2, BottomToTop = 3 } /// enum Direction { LeftToRight, RightToLeft, TopToBottom, BottomToTop } this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[37])(QtObj); setQtObj(null); } } this(QWidget parent = null, QBoxLayout.Direction dir = QBoxLayout.Direction.TopToBottom) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_i) pFunQt[34])(parent.QtObj, dir)); } else { setQtObj((cast(t_qp__qp_i) pFunQt[34])(null, dir)); } } /// Создаёт выравниватель, типа dir и вставляет в parent QBoxLayout addWidget(QWidget wd, int stretch = 0, QtE.AlignmentFlag alignment = QtE.AlignmentFlag.AlignExpanding) { //-> Добавить виджет wd.setNoDelete(true); (cast(t_v__qp_qp_i_i) pFunQt[38])(QtObj, wd.QtObj, cast(int)stretch, cast(int)alignment); return this; } /// Добавить виджет в выравниватель QBoxLayout addLayout(QBoxLayout layout) { //-> Добавить выравниватель в выравниватель layout.setNoDelete(true); (cast(t_v__qp_qp) pFunQt[39])(QtObj, layout.QtObj); return this; } /// Добавить выравниватель в выравниватель QBoxLayout addLayout(QGridLayout layout) { //-> Добавить выравниватель в выравниватель layout.setNoDelete(true); (cast(t_v__qp_qp) pFunQt[39])(QtObj, layout.QtObj); return this; } /// Добавить выравниватель в выравниватель QBoxLayout setSpacing(int spacing) { //-> расстояние между элементами в выравнивателе, например расстояние меж кнопками (cast(t_v__qp_i) pFunQt[74])(QtObj, spacing); return this; } /// Это расстояние между элементами в выравнивателе, например расстояние меж кнопками int spacing() { //-> Это расстояние между элементами в выравнивателе, например расстояние меж кнопками return (cast(t_i__qp) pFunQt[75])(QtObj); } /// QBoxLayout setMargin(int spacing) { //-> установить расстояние вокруг всех элементов данного выравнивателя (cast(t_v__qp_i) pFunQt[76])(QtObj, spacing); return this; } /// Это расстояние вокруг всех элементов данного выравнивателя int margin() { //-> Это расстояние вокруг всех элементов данного выравнивателя return (cast(t_i__qp) pFunQt[77])(QtObj); } /// } class QVBoxLayout : QBoxLayout { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[37])(QtObj); setQtObj(null); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[35])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[35])(null)); } } } class QHBoxLayout : QBoxLayout { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[37])(QtObj); setQtObj(null); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[36])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[36])(null)); } } } // ================ QFrame ================ class QFrame : QWidget { enum Shape { //-> NoFrame = 0, // no frame Box = 0x0001, // rectangular box Panel = 0x0002, // rectangular panel WinPanel = 0x0003, // rectangular panel (Windows) HLine = 0x0004, // horizontal line VLine = 0x0005, // vertical line StyledPanel = 0x0006 // rectangular panel depending on the GUI style } enum Shadow { //-> Plain = 0x0010, // plain line Raised = 0x0020, // raised shadow effect Sunken = 0x0030 // sunken shadow effect } this() { /* msgbox( "new QFrame(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[42])(QtObj); setQtObj(null); } } this(QWidget parent = null, QtE.WindowType fl = QtE.WindowType.Widget) { if (parent !is null) { setNoDelete(true); setQtObj((cast(t_qp__qp_i) pFunQt[41])(parent.QtObj, fl)); } else { setQtObj((cast(t_qp__qp_i) pFunQt[41])(null, fl)); } } /// Конструктор QFrame setFrameShape(Shape sh) { //-> Установить (cast(t_v__qp_i) pFunQt[43])(QtObj, sh); return this; } QFrame setFrameShadow(Shadow sh) { //-> (cast(t_v__qp_i) pFunQt[44])(QtObj, sh); return this; } QFrame setLineWidth(int sh) { //-> if (sh > 3) sh = 3; (cast(t_v__qp_i) pFunQt[45])(QtObj, sh); return this; } /// Установить толщину окантовки в пикселах от 0 до 3 QFrame listChildren() { //-> (cast(t_v__qp) pFunQt[290])(QtObj); return this; } } // ============ QLabel ======================================= class QLabel : QFrame { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[47])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent = null, QtE.WindowType fl = QtE.WindowType.Widget) { super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_i) pFunQt[46])(parent.QtObj, fl)); } else { setQtObj((cast(t_qp__qp_i) pFunQt[46])(null, fl)); } } /// Конструктор QWidget setText(T: QString)(T str) { //-> (cast(t_v__qp_qp) pFunQt[48])(QtObj, str.QtObj); return this; } /// Установить текст на кнопке QWidget setText(T)(T str) { //-> (cast(t_v__qp_qp) pFunQt[48])(QtObj, sQString(to!string(str)).QtObj); return this; } /// Установить текст на кнопке QWidget setPixmap(QPixmap pm) { //-> Отобразить изображение на QLabel (cast(t_v__qp_qp) pFunQt[389])(QtObj, pm.QtObj); return this; } /// Установить текст на кнопке } // ============ QSize ======================================= class QSize : QObject { this() {} // Обязателен косвенный вызов (баг D) ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[57])(QtObj); setQtObj(null); } } this(int width, int height) { setQtObj((cast(t_qp__i_i) pFunQt[56])(width, height)); } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// При создании своего объекта сохраняет в себе объект событие QEvent пришедшее из Qt @property int width() { //-> return (cast(t_i__qp) pFunQt[58])(QtObj); } /// QSize::wieth(); @property int height() { //-> return (cast(t_i__qp) pFunQt[59])(QtObj); } /// QSize::height(); QSize setWidth(int width) { //-> (cast(t_v__qp_i) pFunQt[60])(QtObj, width); return this; } /// QSize::setWidth(); QSize setHeight(int height) { //-> (cast(t_v__qp_i) pFunQt[61])(QtObj, width); return this; } /// QSize::setHeight(); } // ============ QPainter ======================================= class QPainter : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[302])(QtObj); setQtObj(null); } } this(QWidget parent) { super(); if (parent) { // msgbox("Создаю QPainter()", "Внимание!", QMessageBox.Icon.Critical); setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[301])(parent.QtObj)); } else { msgbox("Запрещено создание QPainter сродителем NULL", "Внимание!", QMessageBox.Icon.Critical); } } /// Конструктор this(QPixmap pm) { setQtObj((cast(t_qp__qp) pFunQt[301])(pm.QtObj)); } this(char ch, void* adr) { if(ch == '+') { setQtObj( cast(QtObjH)adr); setNoDelete(true); } } /// При создании своего объекта сохраняет в себе объект событие QPainter пришедшее из Qt QPainter drawPoint(int x, int y) { //-> (cast(t_v__qp_i_i_i) pFunQt[188])(QtObj, x, y, 0); return this; } QPainter setBrushOrigin(int x, int y) { //-> (cast(t_v__qp_i_i_i) pFunQt[188])(QtObj, x, y, 1); return this; } QPainter drawLine(int x1, int y1, int x2, int y2) { //-> (cast(t_v__qp_i_i_i_i) pFunQt[189])(QtObj, x1, y1, x2, y2); return this; } QPainter drawRect(int x1, int y1, int w, int h) { //-> Четырехугольник (cast(t_v__qp_i_i_i_i) pFunQt[243])(QtObj, x1, y1, w, h); return this; } QPainter drawRect(QRect qr) { //-> Четырехугольник (cast(t_v__qp_qp) pFunQt[244])(QtObj, qr.QtObj); return this; } QPainter fillRect(QRect qr, QColor cl) { //-> Четырехугольник заполнить цветом (cast(t_v__qp_qp_qp) pFunQt[245])(QtObj, qr.QtObj, cl.QtObj); return this; } QPainter fillRect(QRect qr, QtE.GlobalColor gc) { //-> Четырехугольник заполнить цветом (cast(t_v__qp_qp_i) pFunQt[246])(QtObj, qr.QtObj, gc); return this; } QPainter setBrush(QBrush qb) { //-> (cast(t_v__qp_qp_i) pFunQt[190])(QtObj, qb.QtObj, 0); return this; } QPainter setPen(QPen qp) { //-> (cast(t_v__qp_qp_i) pFunQt[190])(QtObj, qp.QtObj, 1); return this; } QPainter setFont(QFont qp) { //-> (cast(t_v__qp_qp_i) pFunQt[190])(QtObj, qp.QtObj, 2); return this; } QPainter setText(int x, int y, QString qs) { //-> (cast(t_v__qp_qp_i_i) pFunQt[196])(QtObj, qs.QtObj, x, y); return this; } QPainter setText(int x, int y, string s) { //-> (cast(t_v__qp_qp_i_i) pFunQt[196])(QtObj, sQString(s).QtObj, x, y); return this; } QPainter drawText(int x, int y, QString qs) { //-> (cast(t_v__qp_qp_i_i) pFunQt[196])(QtObj, qs.QtObj, x, y); return this; } QPainter drawText(int x, int y, string s) { //-> (cast(t_v__qp_qp_i_i) pFunQt[196])(QtObj, sQString(s).QtObj, x, y); return this; } bool begin(QPaintDevice dev) { //-> return (cast(t_b__qp_qp) pFunQt[390])(QtObj, dev.QtObj); } bool end() { //-> return (cast(t_b__qp) pFunQt[197])(QtObj); } QFont font(QFont fn) { //-> Выдать шрифт (cast(t_v__qp_qp) pFunQt[298])(QtObj, fn.QtObj); return fn; } QPainter drawImage(QPoint point, QImage image) { //-> Изображение на точку (cast(t_v__qp_qp_qp) pFunQt[310])(QtObj, point.QtObj, image.QtObj); return this; } QPainter drawImage(QRect rect, QImage image) { //-> Изображение в прямоугольник (cast(t_v__qp_qp_qp) pFunQt[311])(QtObj, rect.QtObj, image.QtObj); return this; } QPainter drawPixmap(QPixmap pm, int x, int y, int w, int h) { //-> Изображение в прямоугольник (cast(t_v__qp_qp_i_i_i_i) pFunQt[391])(QtObj, pm.QtObj, x, y, w, h); return this; } /* @property int type() { return (cast(t_i__qp) pFunQt[53])(QtObj); } /// QPainter::type(); Вернуть тип события void ignore() { (cast(t_v__qp_i) pFunQt[157])(QtObj, 0); } /// Игнорировать событие void accept() { (cast(t_v__qp_i) pFunQt[157])(QtObj, 1); } /// Игнорировать событие */ } // ============ QEvent ======================================= class QEvent : QObject { this() { } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// При создании своего объекта сохраняет в себе объект событие QEvent пришедшее из Qt ~this() { } @property int type() { //-> return (cast(t_i__qp) pFunQt[53])(QtObj); } /// QEvent::type(); Вернуть тип события void ignore() { //-> (cast(t_v__qp_i) pFunQt[157])(QtObj, 0); } /// Игнорировать событие void accept() { //-> (cast(t_v__qp_i) pFunQt[157])(QtObj, 1); } /// Игнорировать событие } // ============ QResizeEvent ======================================= /* // Test event события QResizeEvent extern (C) void onQResizeEvent(void* ev) { // 1 - Схватить событие пришедшее из Qt и сохранить его в моём классе // Catch event from Qt and save it in my class D QResizeEvent qe = new QResizeEvent('+', ev); // 2 - Выдать тип события. Show type event writeln(toCON("Событие: ширина: "), qe.size().width, toCON(" высота: "), qe.size().height); } */ class QResizeEvent : QEvent { this() {} this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// При создании своего объекта сохраняет в себе объект событие QEvent пришедшее из Qt ~this() { } QSize size() { //-> return new QSize('+', (cast(t_qp__qp)pFunQt[54])(QtObj)); } /// QResizeEvent::size(); QSize oldSize() { //-> return new QSize('+', (cast(t_qp__qp)pFunQt[55])(QtObj)); } /// QResizeEvent::oldSize(); } // ============ QKeyEvent ======================================= struct sQKeyEvent { //____________________________ private: QtObjH adrCppObj; //____________________________ public: @disable this(); @property QtObjH QtObj() { return adrCppObj; } void setQtObj(QtObjH adr) { adrCppObj = adr; } //____________________________ ~this() {} this(void* adr) { setQtObj(cast(QtObjH)adr); } @property int type() { return (cast(t_i__qp) pFunQt[53])(QtObj); } /// QEvent::type(); Вернуть тип события void ignore() { (cast(t_v__qp_i) pFunQt[157])(QtObj, 0); } /// Игнорировать событие void accept() { (cast(t_v__qp_i) pFunQt[157])(QtObj, 1); } /// Принять событие @property uint key() { return cast(uint)(cast(t_qp__qp)pFunQt[62])(QtObj); } @property uint count() { return cast(uint)(cast(t_qp__qp)pFunQt[63])(QtObj); } @property QtE.KeyboardModifier modifiers() { //-> Признак модификатора кнопки (Ctrl, Alt ...) return cast(QtE.KeyboardModifier)(cast(t_qp__qp)pFunQt[285])(QtObj); } } class QKeyEvent : QEvent { this() {} this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// При создании своего объекта сохраняет в себе объект событие QEvent пришедшее из Qt ~this() { } @property uint key() { //-> return cast(uint)(cast(t_qp__qp)pFunQt[62])(QtObj); } /// QKeyEvent::key(); @property uint count() { //-> return cast(uint)(cast(t_qp__qp)pFunQt[63])(QtObj); } /// QKeyEvent::count(); @property QtE.KeyboardModifier modifiers() { //-> Признак модификатора кнопки (Ctrl, Alt ...) return cast(QtE.KeyboardModifier)(cast(t_qp__qp)pFunQt[285])(QtObj); } } // ============ QWheelEvent ======================================= class QWheelEvent : QEvent { this() {} this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } ~this() { } @property int x() { //-> return (cast(t_i__qp_i)pFunQt[436])(QtObj, 0); } @property int y() { //-> return (cast(t_i__qp_i)pFunQt[436])(QtObj, 1); } @property int globalX() { //-> return (cast(t_i__qp_i)pFunQt[436])(QtObj, 2); } @property int globalY() { //-> return (cast(t_i__qp_i)pFunQt[436])(QtObj, 3); } QPoint angleDelta() { QPoint point = new QPoint(0,0); (cast(t_v__qp_qp_i)pFunQt[437])(QtObj, point.QtObj, 0); return point; } QPoint globalPos() { QPoint point = new QPoint(0,0); (cast(t_v__qp_qp_i)pFunQt[437])(QtObj, point.QtObj, 1); return point; } QPoint pixelDelta() { QPoint point = new QPoint(0,0); (cast(t_v__qp_qp_i)pFunQt[437])(QtObj, point.QtObj, 2); return point; } QPoint pos() { QPoint point = new QPoint(0,0); (cast(t_v__qp_qp_i)pFunQt[437])(QtObj, point.QtObj, 3); return point; } } // ============ QMouseEvent ======================================= class QMouseEvent : QEvent { this() {} this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// При создании своего объекта сохраняет в себе объект событие QEvent пришедшее из Qt ~this() { } @property int x() { //-> return (cast(t_i__qp_i)pFunQt[347])(QtObj, 0); } @property int y() { //-> return (cast(t_i__qp_i)pFunQt[347])(QtObj, 1); } @property int globalX() { //-> return (cast(t_i__qp_i)pFunQt[347])(QtObj, 2); } @property int globalY() { //-> return (cast(t_i__qp_i)pFunQt[347])(QtObj, 3); } QtE.MouseButton button() { //-> return cast(QtE.MouseButton)(cast(t_i__qp)pFunQt[350])(QtObj); } /* @property uint count() { //-> return cast(uint)(cast(t_qp__qp)pFunQt[63])(QtObj); } /// QKeyEvent::count(); @property QtE.KeyboardModifier modifiers() { //-> Признак модификатора кнопки (Ctrl, Alt ...) return cast(QtE.KeyboardModifier)(cast(t_qp__qp)pFunQt[285])(QtObj); } */ } // ================ QAbstractScrollArea ================ class QAbstractScrollArea : QFrame { this() { /* msgbox( "new QAbstractScrollArea(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[65])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[64])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[64])(null)); } } /// Конструктор } // ================ QTextDocument ================ alias int FindFlags; class QTextDocument : QObject { enum FindFlag { //-> FindBackward = 0x00001, // Search backwards instead of forwards. FindCaseSensitively = 0x00002, // By default find works case insensitive. FindWholeWords = 0x00004 // Makes find match only complete words. } } // ================ QPlainTextEdit ================ /++ Чистый QPlainTextEdit (ТекстовыйРедактор). +/ class QPlainTextEdit : QAbstractScrollArea { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[67])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[66])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[66])(null)); } } /// Конструктор override QPlainTextEdit setPaintEvent(void* adr, void* adrThis = null) { //-> (cast(t_v__qp_qp_qp) pFunQt[325])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis); return this; } /// Установить обработчик на событие PaintEvent. Здесь <u>adr</u> - адрес на функцию D +/ override QPlainTextEdit setKeyPressEvent(void* adr, void* adrThis = null) { //-> (cast(t_v__qp_qp_qp) pFunQt[80])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis); return this; } /// Установить обработчик на событие KeyPressEvent. Здесь <u>adr</u> - адрес на функцию D +/ QPlainTextEdit setViewportMargins(int left, int top, int right, int bottom) { //-> Установить отступы слева, вверхуЮ справа и внизу (cast(t_v__qp_i_i_i_i) pFunQt[278])(QtObj, left, top, right, bottom); return this; } QPlainTextEdit appendPlainText(T: QString)(T str) { //-> Добавить текст в конец (cast(t_v__qp_qp) pFunQt[68])(QtObj, str.QtObj); return this; } /// Добавать текст в конец QPlainTextEdit appendPlainText(T)(T str) { //-> Добавить текст в конец (cast(t_v__qp_qp) pFunQt[68])(QtObj, sQString(str).QtObj); return this; } /// Добавать текст в конец QPlainTextEdit appendHtml(T: QString)(T str) { //-> Добавать html в конец (cast(t_v__qp_qp) pFunQt[69])(QtObj, str.QtObj); return this; } /// Добавать html в конец QPlainTextEdit appendHtml(T)(T str) { //-> Добавать html в конец (cast(t_v__qp_qp) pFunQt[69])(QtObj, sQString(str).QtObj); return this; } /// Добавать html в конец QPlainTextEdit setPlainText(T: QString)(T str) { //-> Удалить всё и вставить с начала (cast(t_v__qp_qp) pFunQt[70])(QtObj, str.QtObj); return this; } /// Удалить всё и вставить с начала QPlainTextEdit setPlainText(T)(T str) { //-> Удалить всё и вставить с начала (cast(t_v__qp_qp) pFunQt[70])(QtObj, sQString(str).QtObj); return this; } /// Удалить всё и вставить с начала QPlainTextEdit insertPlainText(T: QString)(T str) { //-> Вставить сразу за курсором (cast(t_v__qp_qp) pFunQt[71])(QtObj, str.QtObj); return this; } /// Вставить сразу за курсором QPlainTextEdit insertPlainText(T)(T str) { //-> Вставить сразу за курсором (cast(t_v__qp_qp) pFunQt[71])(QtObj, sQString(str).QtObj); return this; } /// Вставить сразу за курсором QPlainTextEdit cut() { //-> Вырезать кусок (cast(t_v__qp_i) pFunQt[72])(QtObj, 0); return this; } /// cut() QPlainTextEdit clear() { //-> Очистить всё (cast(t_v__qp_i) pFunQt[72])(QtObj, 1); return this; } /// clear() QPlainTextEdit paste() { //-> Вставить из буфера (cast(t_v__qp_i) pFunQt[72])(QtObj, 2); return this; } /// paste() QPlainTextEdit copy() { //-> Скопировать в буфер (cast(t_v__qp_i) pFunQt[72])(QtObj, 3); return this; } /// copy() QPlainTextEdit selectAll() { //-> (cast(t_v__qp_i) pFunQt[72])(QtObj, 4); return this; } /// selectAll() QPlainTextEdit selectionChanged() { //-> (cast(t_v__qp_i) pFunQt[72])(QtObj, 5); return this; } /// selectionChanged() QPlainTextEdit centerCursor() { //-> (cast(t_v__qp_i) pFunQt[72])(QtObj, 6); return this; } /// centerCursor() QPlainTextEdit undo() { //-> (cast(t_v__qp_i) pFunQt[72])(QtObj, 7); return this; } /// undo() QPlainTextEdit redo() { //-> (cast(t_v__qp_i) pFunQt[72])(QtObj, 8); return this; } /// redo() T toPlainText(T: QString)() { //-> QString qs = new QString(); (cast(t_v__qp_qp)pFunQt[73])(QtObj, qs.QtObj); return qs; } /// Выдать содержимое в QString T toPlainText(T)() { //-> return to!T(toPlainText!QString().String); } /// Выдать всё содержимое в String void* document() { //-> Вернуть указатель на QTextDocument return (cast(t_qp__qp) pFunQt[226])(QtObj); } QTextCursor textCursor(QTextCursor tk) { //-> (cast(t_v__qp_qp) pFunQt[230])(QtObj, tk.QtObj); return tk; } QPlainTextEdit setTextCursor(QTextCursor tk) { //-> (cast(t_v__qp_qp) pFunQt[253])(QtObj, tk.QtObj); return this; } QRect cursorRect(QRect tk) { //-> (cast(t_v__qp_qp) pFunQt[235])(QtObj, tk.QtObj); return tk; } QPlainTextEdit setTabStopWidth(int width) { //-> Размер табуляции в пикселах (cast(t_v__qp_i) pFunQt[236])(QtObj, width); return this; } QPlainTextEdit firstVisibleBlock(QTextBlock tb) { //-> Поучить первый блок (строку) (cast(t_v__qp_qp) pFunQt[282])(QtObj, tb.QtObj); return this; } int topTextBlock(QTextBlock tb) { //-> Поучить верхнию коорд в viewPort return (cast(t_i__qp_qp_i) pFunQt[284])(QtObj, tb.QtObj, 0); } int bottomTextBlock(QTextBlock tb) { //-> Поучить нижнию коорд в viewPort return (cast(t_i__qp_qp_i) pFunQt[284])(QtObj, tb.QtObj, 1); } QPlainTextEdit setWordWrapMode(QTextOption option) { //-> Установить режим переноса текста (cast(t_v__qp_qp) pFunQt[294])(QtObj, option.QtObj); return this; } int blockCount() { //-> Количество строчек return (cast(t_i__qp_i) pFunQt[326])(QtObj, 0); } int maximumBlockCount() { //-> Макс кол строчек возможных в документе return (cast(t_i__qp_i) pFunQt[326])(QtObj, 1); } int cursorWidth() { //-> Толщина курсора в пикселах return (cast(t_i__qp_i) pFunQt[326])(QtObj, 1); } QPlainTextEdit setCursorPosition(int line, int col) { //-> Переставить визуальный курсор (cast(t_v__qp_i_i) pFunQt[328])(QtObj, line, col); return this; } bool find(T: QString)(T str, FindFlags flags) { //-> Найти в тексте return (cast(t_b__qp_qp_i) pFunQt[329])(QtObj, str.QtObj, flags); } bool find(T)(T str, FindFlags flags) { //-> Найти в тексте return (cast(t_b__qp_qp_i) pFunQt[329])(QtObj, sQString(str).QtObj, flags); } } // ================ QLineEdit ================ /++ QLineEdit (Строка ввода с редактором), но немного модифицированный в QtE.DLL. <br>Хранит в себе ссылку на реальный С++ класс QLineEdit из QtGui.dll <br>Добавлены свойства хранящие адреса для вызова обратных функций для реакции на события. +/ class QLineEdit : QWidget { enum EchoMode { Normal = 0, // Показывать символы при вводе. По умолчанию NoEcho = 1, // Ни чего не показывать, что бы длинна пароля была не понятной Password = 2, // Звездочки вместо символов PasswordEchoOnEdit = 3 // Показывает только один символ, а остальные скрыты } this() { /* msgbox( "new QLineEdit(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[83])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent) { if(parent) { setNoDelete(true); p_QObject = (cast(t_qp__qp) pFunQt[82])(parent.QtObj); } else { p_QObject = (cast(t_qp__qp) pFunQt[82])(null); } } /// Создать LineEdit. QLineEdit setText(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[84])(QtObj, str.QtObj, 0); return this; } /// Установить текст на кнопке QLineEdit setText(T)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[84])(QtObj, sQString(str).QtObj, 0); return this; } /// Установить текст на кнопке QLineEdit insert(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[84])(QtObj, str.QtObj, 1); return this; } QLineEdit insert(T)(T str) { //-> (cast(t_v__qp_qp) pFunQt[84])(QtObj, sQString(str).QtObj, 1); return this; } QLineEdit setInputMask(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[84])(QtObj, str.QtObj, 2); return this; } QLineEdit setInputMask(T)(T str) { //-> (cast(t_v__qp_qp) pFunQt[84])(QtObj, sQString(str).QtObj, 2); return this; } QLineEdit clear() { //-> (cast(t_v__qp) pFunQt[85])(QtObj); return this; } /// Очистить строку @property T text(T: QString)() { //-> QString qs = new QString(); (cast(t_v__qp_qp)pFunQt[86])(QtObj, qs.QtObj); return qs; } /// Выдать содержимое в QString @property T text(T)() { //-> return to!T(text!QString().String); } /// Выдать всё содержимое в String override QLineEdit setKeyPressEvent(void* adr, void* adrThis = null) { //-> (cast(t_v__qp_qp_qp) pFunQt[158])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis); return this; } /// Установить обработчик на событие KeyPressEvent. Здесь <u>adr</u> - адрес на функцию D +/ QLineEdit cursorWordBackward(bool t) { //-> (cast(t_v__qp_b_i) pFunQt[287])(QtObj, t, 0); return this; } QLineEdit cursorWordForward(bool t) { //-> (cast(t_v__qp_b_i) pFunQt[287])(QtObj, t, 1); return this; } QLineEdit end(bool t) { //-> (cast(t_v__qp_b_i) pFunQt[287])(QtObj, t, 2); return this; } QLineEdit home(bool t) { //-> (cast(t_v__qp_b_i) pFunQt[287])(QtObj, t, 3); return this; } QLineEdit setClearButtonEnabled(bool t) { //-> (cast(t_v__qp_b_i) pFunQt[287])(QtObj, t, 4); return this; } QLineEdit setDragEnabled(bool t) { //-> (cast(t_v__qp_b_i) pFunQt[287])(QtObj, t, 5); return this; } QLineEdit setFrame(bool t) { //-> (cast(t_v__qp_b_i) pFunQt[287])(QtObj, t, 6); return this; } QLineEdit setModified(bool t) { //-> (cast(t_v__qp_b_i) pFunQt[287])(QtObj, t, 7); return this; } QLineEdit setReadOnly(bool t) { //-> (cast(t_v__qp_b_i) pFunQt[287])(QtObj, t, 8); return this; } bool dragEnabled() { //-> return (cast(t_b__qp_i) pFunQt[288])(QtObj, 0); } bool hasAcceptableInput() { //-> return (cast(t_b__qp_i) pFunQt[288])(QtObj, 1); } bool hasFrame() { //-> return (cast(t_b__qp_i) pFunQt[288])(QtObj, 2); } bool hasSelectedText() { //-> return (cast(t_b__qp_i) pFunQt[288])(QtObj, 3); } bool isClearButtonEnabled() { //-> return (cast(t_b__qp_i) pFunQt[288])(QtObj, 4); } bool isModified() { //-> return (cast(t_b__qp_i) pFunQt[288])(QtObj, 5); } bool isReadOnly() { //-> return (cast(t_b__qp_i) pFunQt[288])(QtObj, 6); } bool isRedoAvailable() { //-> return (cast(t_b__qp_i) pFunQt[288])(QtObj, 7); } bool isUndoAvailable() { //-> return (cast(t_b__qp_i) pFunQt[288])(QtObj, 8); } void setAlignment(QtE.AlignmentFlag flags) { (cast(t_v__qp_i) pFunQt[438])(QtObj, flags); } int cursorPosition() { return (cast(t_i__qp_i) pFunQt[439])(QtObj, 0); } int maxLength() { return (cast(t_i__qp_i) pFunQt[439])(QtObj, 1); } int selectionStart() { return (cast(t_i__qp_i) pFunQt[439])(QtObj, 2); } void delet() { //-> удаляет либо один символ, либо выделенный текст (cast(t_v__qp_i) pFunQt[440])(QtObj, 0); } void deselect() { (cast(t_v__qp_i) pFunQt[440])(QtObj, 1); } void backspace() { (cast(t_v__qp_i) pFunQt[440])(QtObj, 2); } void setSelection(int start, int length) { (cast(t_v__qp_i_i_i) pFunQt[441])(QtObj, start, length, 0); } void setMaxLength(int length) { (cast(t_v__qp_i_i_i) pFunQt[441])(QtObj, 0, length, 1); } void setCursorPosition(int poz) { (cast(t_v__qp_i_i_i) pFunQt[441])(QtObj, 0, poz, 2); } void cursorBackward(bool mark, int steps = 1) { (cast(t_v__qp_i_i_i) pFunQt[441])(QtObj, mark ? 1 : 0, steps, 3); } void cursorForward(bool mark, int steps = 1) { (cast(t_v__qp_i_i_i) pFunQt[441])(QtObj, mark ? 1 : 0, steps, 4); } void setAllSelection() { (cast(t_v__qp_i_i_i) pFunQt[441])(QtObj, 0, 0, 5); } void setEchoMode(QLineEdit.EchoMode echoMode) { (cast(t_v__qp_i_i_i) pFunQt[441])(QtObj, echoMode, 0, 6); } } // ===================== QMainWindow ===================== /++ QMainWindow - основное окно приложения +/ class QMainWindow : QWidget { this() { /* msgbox( "new QMainWindow(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[89])(QtObj); setQtObj(null); } } this(QWidget parent, QtE.WindowType fl = QtE.WindowType.Widget) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_i)pFunQt[88])(parent.QtObj, cast(int)fl)); } else { setQtObj((cast(t_qp__qp_i)pFunQt[88])(null, cast(int)fl)); } } /// QMainWindow::QMainWindow(QWidget * parent = 0, Qt::WindowFlags f = 0) QMainWindow setCentralWidget(QWidget wd) { //-> (cast(t_v__qp_qp_i) pFunQt[90])(QtObj, wd.QtObj, 0); return this; } /// QMainWindow setStatusBar(QStatusBar wd) { //-> (cast(t_v__qp_qp_i) pFunQt[90])(QtObj, wd.QtObj, 2); return this; } /// QMainWindow setMenuBar(QMenuBar wd) { //-> (cast(t_v__qp_qp_i) pFunQt[90])(QtObj, wd.QtObj, 1); return this; } /// QMainWindow addToolBar(QToolBar wd) { //-> (cast(t_v__qp_qp_i) pFunQt[90])(QtObj, wd.QtObj, 3); return this; } /// QMainWindow setToolBar(QToolBar wd) { //-> addToolBar(wd); return this; } /// QMainWindow addToolBar(QToolBar.ToolBarArea st, QToolBar wd) { //-> (cast(t_v__qp_qp_i) pFunQt[126])(QtObj, wd.QtObj, st); return this; } /// добавить ToolBar используя рамещение внизу,вверху т т.д. } // ================ QStatusBar ================ /++ QStatusBar - строка сообщений +/ class QStatusBar : QWidget { this() { /* msgbox( "new QStatusBar(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[92])(QtObj); setQtObj(null); } } this(QWidget parent) { // super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp)pFunQt[91])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp)pFunQt[91])(null)); } } /// QStatusBar::QStatusBar(QWidget * parent) QStatusBar showMessage(T: QString)(T str, int timeout = 0) { //-> (cast(t_v__qp_qp_i) pFunQt[93])(QtObj, str.QtObj, timeout); return this; } /// Установить текст на кнопке QStatusBar showMessage(T)(T str, int timeout = 0) { //-> showMessage!QString(new QString(to!string(str)), timeout); return this; } /// Установить текст на кнопке QStatusBar addPermanentWidget(QWidget wd, int stretch = 0) { //-> Установить закрепленный справа виджет wd.setNoDelete(true); (cast(t_v__qp_qp_i_i)pFunQt[314])(QtObj, wd.QtObj, stretch, 0); return this; } /// Установить закрепленный справа виджет QStatusBar addWidget(QWidget wd, int stretch = 0) { //-> Установить закрепленный справа виджет wd.setNoDelete(true); (cast(t_v__qp_qp_i_i)pFunQt[314])(QtObj, wd.QtObj, stretch, 1); return this; } /// Установить закрепленный справа виджет } // ================ QAction ================ /++ QAction - это класс выполнителей (действий). Объеденяют в себе различные формы вызовов: из меню, из горячих кнопок, их панели с кнопками и т.д. Реально представляет собой строку меню в вертикальном боксе. +/ class QAction : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[96])(QtObj); setQtObj(null); } } // Эксперементаьный, попытка вызвать метод, не используя Extern "C" // Любой слот всегда! передаёт в обработчик D два параметра, // 1 - Адрес объекта и 2 - N установленный при инициадизации // Специализированные слоты для обработки сообщений с параметрами // всегда передают Адрес и N (см выше) и дальше сами параметры this(QWidget parent, void* adr, void* adrThis, int n = 0) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp)pFunQt[95])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp)pFunQt[95])(null)); } (cast(t_v__qp_qp_qp_i)pFunQt[98])(QtObj, cast(QtObjH)adr, cast(QtObjH)adrThis, n); } /// Установить слот с параметром // ---------------------------------------------------- void* parent() { //-> return (cast(t_vp__qp) pFunQt[289])(QtObj); } QAction setText(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[97])(QtObj, str.QtObj, 0); return this; } /// Установить текст QAction setText(T)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[97])(QtObj, sQString(str).QtObj, 0); return this; } /// Установить текст QAction setToolTip(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[97])(QtObj, str.QtObj, 1); return this; } /// Установить текст QAction setToolTip(T)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[97])(QtObj, sQString(str).QtObj, 1); return this; } /// Установить текст QAction setHotKey(QtE.Key key) { //-> (cast(t_v__qp_i) pFunQt[105])(QtObj, cast(int) key); return this; } /// Определить горячую кнопку QAction setHotKey(int key) { //-> (cast(t_v__qp_i) pFunQt[105])(QtObj, key); return this; } /// Определить горячую кнопку // ---------------------------------------------------- QAction setEnabled(bool f) { //-> (cast(t_v__qp_b_i) pFunQt[109])(QtObj, f, 0); return this; } /// Включить/выключить пункт меню QAction setVisible(bool f) { //-> (cast(t_v__qp_b_i) pFunQt[109])(QtObj, f, 1); return this; } QAction setCheckable(bool f) { //-> (cast(t_v__qp_b_i) pFunQt[109])(QtObj, f, 2); return this; } QAction setChecked(bool f) { //-> (cast(t_v__qp_b_i) pFunQt[109])(QtObj, f, 3); return this; } QAction setIconVisibleInMenu(bool f) { //-> (cast(t_v__qp_b_i) pFunQt[109])(QtObj, f, 4); return this; } QAction setIcon(QIcon ico) { //-> (cast(t_v__qp_qp) pFunQt[113])(QtObj, ico.QtObj); return this; } /// Добавить иконку QAction setIcon(string fileIco) { //-> QIcon ico = new QIcon(); ico.addFile(fileIco); setIcon(ico); return this; } /// Добавить иконку используя имя файла и неявное создание QAction setIcon(string fileIco, QIcon ico) { //-> ico.addFile(fileIco); setIcon(ico); return this; } /// Добавить иконку используя имя файла и неявное создание QAction Signal_V() { //-> Послать сигнал с QAction "Signal_V()" (cast(t_v__qp) pFunQt[339])(QtObj); return this; } QAction Signal_VI(int n) { //-> Послать сигнал с QAction "Signal_V(int)" (cast(t_v__qp_i) pFunQt[340])(QtObj, n); return this; } QAction Signal_VS(T)(T str) { //-> Послать сигнал с QAction "Signal_VS(string)" (cast(t_v__qp_qp) pFunQt[341])(QtObj, sQString(str).QtObj); return this; } @property string fromQmlString() { //-> return from QML Qstring QString qs = new QString('+', (cast(t_qp__qp) pFunQt[460])(QtObj) ); return qs.String(); } void toQmlString(T)(T str) { (cast(t_v__qp_qp) pFunQt[461])(QtObj, sQString(str).QtObj); } @property int fromQmlInt() { //-> return from QML Int return (cast(t_i__qp) pFunQt[462]) (QtObj); } void toQmlInt(int str) { (cast(t_v__qp_i) pFunQt[463])(QtObj, str); } } // ============ QMenu ======================================= /++ QMenu - колонка меню. Вертикальная. +/ class QMenu : QWidget { this() { /* msgbox( "new QMenu(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[100])(QtObj); setQtObj(null); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp)pFunQt[99])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp)pFunQt[99])(null)); } } /// QMenu::QMenu(QWidget* parent) QMenu addAction(QAction act) { //-> (cast(t_v__qp_qp) pFunQt[101])(QtObj, act.QtObj); return this; } /// Вставить вертикальное меню QMenu setTitle(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[106])(QtObj, str.QtObj, 1); return this; } /// Установить текст QMenu setTitle(T)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[106])(QtObj, sQString(str).QtObj, 1); return this; } /// Установить текст QMenu addSeparator() { //-> (cast(t_v__qp) pFunQt[107])(QtObj); return this; } QMenu addMenu(QMenu menu) { //-> (cast(t_v__qp_qp) pFunQt[108])(QtObj, menu.QtObj); return this; } /* void addSeparator() { (cast(t_v__vp) pFunQt[85])(p_QObject); } /// Добавить сепаратор void setTitle(QString str) { (cast(t_v__vp_vp) pFunQt[86])(p_QObject, cast(void*) str.QtObj); } void setTitle(string str) { (cast(t_v__vp_vp) pFunQt[86])(QtObj, (new QString(str)).QtObj); } /// Установить текст */ } // ============ QMenuBar ======================================= /++ QMenuBar - строка меню самого верхнего уровня. Горизонтальная. +/ class QMenuBar : QWidget { this() { /* msgbox( "new QMenuBar(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[103])(QtObj); setQtObj(null); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp)pFunQt[102])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp)pFunQt[102])(null)); } } /// QMenuBar::QMenuBar(QWidget* parent) QMenuBar addMenu(QMenu mn) { //-> (cast(t_v__qp_qp) pFunQt[104])(QtObj, mn.QtObj); return this; } /// Вставить вертикальное меню } // ================ QFont ================ class QFont : QObject { this() { setQtObj((cast(t_qp__v)pFunQt[127])()); } // Обязателен косвенный вызов (баг D) ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[128])(QtObj); setQtObj(null); } } QFont setPointSize(int size) { //-> (cast(t_v__qp_i) pFunQt[129])(QtObj, size); return this; } /// Установить размер шрифта в поинтах QFont setFamily(T: QString)(T str) { //-> (cast(t_v__qp_qp) pFunQt[130])(QtObj, str.QtObj); return this; } /// Наименование шрифта Например: "True Times" QFont setFamily(T)(T str) { //-> setFamily((new QString(to!string(str)))); return this; } /// Наименование шрифта Например: "True Times" QFont setBold(bool enable) { //-> (cast(t_v__qp_b_i) pFunQt[312])(QtObj, enable, 0); return this; } QFont setFixedPitch(bool enable) { //-> (cast(t_v__qp_b_i) pFunQt[312])(QtObj, enable, 1); return this; } QFont setItalic(bool enable) { //-> (cast(t_v__qp_b_i) pFunQt[312])(QtObj, enable, 2); return this; } QFont setKerning(bool enable) { //-> (cast(t_v__qp_b_i) pFunQt[312])(QtObj, enable, 3); return this; } QFont setOverline(bool enable) { //-> Верхнее подчеркивание (cast(t_v__qp_b_i) pFunQt[312])(QtObj, enable, 4); return this; } QFont setStrikeOut(bool enable) { //-> (cast(t_v__qp_b_i) pFunQt[312])(QtObj, enable, 5); return this; } QFont setUnderline(bool enable) { //-> (cast(t_v__qp_b_i) pFunQt[312])(QtObj, enable, 6); return this; } bool bold() { //-> return (cast(t_b__qp_i) pFunQt[313])(QtObj, 0); } bool fixedPitch() { //-> return (cast(t_b__qp_i) pFunQt[313])(QtObj, 1); } bool italic() { //-> return (cast(t_b__qp_i) pFunQt[313])(QtObj, 2); } bool kerning() { //-> return (cast(t_b__qp_i) pFunQt[313])(QtObj, 3); } bool overline() { //-> return (cast(t_b__qp_i) pFunQt[313])(QtObj, 4); } bool strikeOut() { //-> return (cast(t_b__qp_i) pFunQt[313])(QtObj, 5); } bool underline() { //-> return (cast(t_b__qp_i) pFunQt[313])(QtObj, 6); } } // ================ QIcon ================ /* Пример установки различных иконок в зависимости от состояния (disable/enable) QIcon icoAbout = new QIcon(); icoAbout.addFile("ICONS/doc_error.ico", null, QIcon.Mode.Disabled, QIcon.State.On); icoAbout.addFile("ICONS/about_icon.png", null, QIcon.Mode.Normal, QIcon.State.On); acAbout.setIcon(icoAbout); */ class QIcon : QObject { enum Mode { Normal = 0, // Выводит изобр, когда польз не взаимод с пиктограммой, но доступна функциональность, предоставляемая пиктограммой. Disabled = 1, // Выводит изобр, когда функциональность, предоставляемая пиктограммой, не доступна. Active = 2, // Выделена (щелкает по ней) Selected = 3 // Выводимое на экран растровое изображение когда пиктограмма выделена. } enum State { On = 0, // Off = 1 // } this() { setQtObj((cast(t_qp__v)pFunQt[110])()); } // Обязателен косвенный вызов (баг D) ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[111])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } QIcon addFile(T: QString)(T str, QSize qs = null) { //-> if(qs is null) { (cast(t_v__qp_qp_qp) pFunQt[112])(QtObj, str.QtObj, null); } else { (cast(t_v__qp_qp_qp) pFunQt[112])(QtObj, str.QtObj, qs.QtObj); } return this; } QIcon addFile(T)(T str, QSize qs = null) { //-> if(qs is null) { (cast(t_v__qp_qp_qp) pFunQt[112])(QtObj, sQString(str).QtObj, null); } else { (cast(t_v__qp_qp_qp) pFunQt[112])(QtObj, sQString(str).QtObj, qs.QtObj); } return this; } QIcon addFile(T)(T str, QSize qs, QIcon.Mode mode, QIcon.State state) { //-> Добавить состояние на иконку if(qs is null) { (cast(t_v__qp_qp_qp_i_i) pFunQt[377])(QtObj, sQString(str).QtObj, null, mode, state); } else { (cast(t_v__qp_qp_qp_i_i) pFunQt[377])(QtObj, sQString(str).QtObj, qs.QtObj, mode, state); } return this; } void swap(QIcon iconSwap) { //-> Заменить иконку на другую (cast(t_v__qp_qp) pFunQt[378])(QtObj, iconSwap.QtObj); } } // ================ QToolBar ================ class QToolBar : QWidget { enum ToolButtonStyle { ToolButtonIconOnly = 0, // Only display the icon. ToolButtonTextOnly = 1, // Only display the text. ToolButtonTextBesideIcon = 2, // The text appears beside the icon. ToolButtonTextUnderIcon = 3, // The text appears under the icon. ToolButtonFollowStyle = 4 // Follow the style. } enum ToolBarArea { LeftToolBarArea = 0x1, RightToolBarArea = 0x2, TopToolBarArea = 0x4, BottomToolBarArea = 0x8, NoToolBarArea = 0 } this() { /* msgbox( "new QToolBar(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[115])(QtObj); setQtObj(null); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp)pFunQt[114])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp)pFunQt[114])(null)); } } /// QToolBar::QToolBar(QWidget* parent) QToolBar addAction(QAction ac) { //-> (cast(t_v__qp_qp_i) pFunQt[116])(QtObj, ac.QtObj, 0); return this; } /// Вставить Action QToolBar addWidget(QWidget wd) { //-> wd.setNoDelete(true); (cast(t_v__qp_qp_i) pFunQt[116])(QtObj, wd.QtObj, 1); return this; } /// Добавить виджет в QToolBar QToolBar setToolButtonStyle(QToolBar.ToolButtonStyle st) { //-> (cast(t_v__qp_i) pFunQt[125])(QtObj, st); return this; } /// Установить стиль кнопок в ToolBar QToolBar setAllowedAreas(QToolBar.ToolBarArea st) { (cast(t_v__qp_i) pFunQt[124])(QtObj, st); return this; } /// Где возможно размещение ToolBar, а не где он будет размещён QToolBar addSeparator() { //-> (cast(t_v__qp_i) pFunQt[132])(QtObj, 0); return this; } /// QToolBar clear() { //-> (cast(t_v__qp_i) pFunQt[132])(QtObj, 1); return this; } /// } // ================ QDialog ================ class QDialog : QWidget { this() { /* msgbox( "new QDialog(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[118])(QtObj); setQtObj(null); } } this(QWidget parent = null, QtE.WindowType fl = QtE.WindowType.Widget) { //-> if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_i) pFunQt[117])(parent.QtObj, fl)); } else { setQtObj((cast(t_qp__qp_i) pFunQt[117])(null, fl)); } } /// Конструктор int exec() { //-> return (cast(t_i__qp) pFunQt[119])(QtObj); } /// Обычный QDialog::exec() } // ================ QMessageBox ================ /++ QMessageBox - это стандартный класс сообщений. +/ class QMessageBox : QDialog { enum Icon { NoIcon = 0, Information = 1, Warning = 2, Critical = 3, Question = 4 } enum ButtonRole { // keep this in sync with QDialogButtonBox::ButtonRole InvalidRole = -1, AcceptRole, RejectRole, DestructiveRole, ActionRole, HelpRole, YesRole, NoRole, ResetRole, ApplyRole, NRoles } enum StandardButton { // keep this in sync with QDialogButtonBox::StandardButton NoButton = 0x00000000, Ok = 0x00000400, Save = 0x00000800, SaveAll = 0x00001000, Open = 0x00002000, Yes = 0x00004000, YesToAll = 0x00008000, No = 0x00010000, NoToAll = 0x00020000, Abort = 0x00040000, Retry = 0x00080000, Ignore = 0x00100000, Close = 0x00200000, Cancel = 0x00400000, Discard = 0x00800000, Help = 0x01000000, Apply = 0x02000000, Reset = 0x04000000, RestoreDefaults = 0x08000000, FirstButton = Ok, // internal LastButton = RestoreDefaults, // internal YesAll = YesToAll, // obsolete NoAll = NoToAll, // obsolete Default = 0x00000100, // obsolete Escape = 0x00000200, // obsolete FlagMask = 0x00000300, // obsolete ButtonMask = ~FlagMask // obsolete } alias Button = StandardButton; this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[121])(QtObj); setQtObj(null); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[120])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[120])(null)); } } /// Конструктор QMessageBox setText(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[122])(QtObj, str.QtObj, 0); return this; } /// Установить текст QMessageBox setText(T)(T str) { //-> QMessageBox.setText(new QString(to!string(str))); return this; } /// Установить текст QMessageBox setWindowTitle(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[122])(QtObj, str.QtObj, 1); return this; } /// Установить текст QMessageBox setWindowTitle(T)(T str) { //-> QMessageBox.setWindowTitle(new QString(to!string(str))); return this; } /// Установить текст QMessageBox setInformativeText(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[122])(QtObj, str.QtObj, 2); return this; } /// Установить текст QMessageBox setInformativeText(T)(T str) { //-> QMessageBox.setInformativeText(new QString(to!string(str))); return this; } /// Установить текст QMessageBox setStandardButtons(QMessageBox.StandardButton buttons) { //-> (cast(t_v__qp_qp_i) pFunQt[123])(QtObj, cast(QtObjH)buttons, 0); return this; } /// Установить стандартный набор кнопок QMessageBox setDefaultButton(QMessageBox.StandardButton buttons) { //-> (cast(t_v__qp_qp_i) pFunQt[123])(QtObj, cast(QtObjH)buttons, 1); return this; } /// Установить кнопку по умолчанию QMessageBox setEscapeButton(QMessageBox.StandardButton buttons) { //-> (cast(t_v__qp_qp_i) pFunQt[123])(QtObj, cast(QtObjH)buttons, 2); return this; } /// Установить кнопку отмены QMessageBox setIcon(QMessageBox.Icon icon) { //-> (cast(t_v__qp_qp_i) pFunQt[123])(QtObj, cast(QtObjH)icon, 3); return this; } /// Установить стандартную иконку из числа QMessage.Icon. (NoIcon, Information, Warning, Critical, Question) } // ================ QProgressBar ================ /++ QProgressBar - это .... +/ class QProgressBar : QWidget { this() { /* msgbox( "new QProgressBar(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[134])(QtObj); setQtObj(null); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[133])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[133])(null)); } } /// Конструктор QProgressBar setMinimum(int n) { //-> (cast(t_v__qp_i_i) pFunQt[135])(QtObj, n, 0); return this; } /// Установить нижнию границу QProgressBar setMaximum(int n) { //-> (cast(t_v__qp_i_i) pFunQt[135])(QtObj, n, 1); return this; } /// Установить верхнию границу QProgressBar setValue(int n) { //-> (cast(t_v__qp_i_i) pFunQt[135])(QtObj, n, 2); return this; } /// Установить текущее положение } // ============ QDate =============== /* d the day as number without a leading zero (1 to 31) dd the day as number with a leading zero (01 to 31) ddd the abbreviated localized day name (e.g. 'Mon' to 'Sun'). Uses the system locale to localize the name, i.e. QLocale::system(). dddd the long localized day name (e.g. 'Monday' to 'Sunday'). Uses the system locale to localize the name, i.e. QLocale::system(). M the month as number without a leading zero (1 to 12) MM the month as number with a leading zero (01 to 12) MMM the abbreviated localized month name (e.g. 'Jan' to 'Dec'). Uses the system locale to localize the name, i.e. QLocale::system(). MMMM the long localized month name (e.g. 'January' to 'December'). Uses the system locale to localize the name, i.e. QLocale::system(). yy the year as two digit number (00 to 99) yyyy the year as four digit number. If the year is negative, a minus sign is prepended in addition. */ class QDate : QObject { this() { setQtObj((cast(t_qp__v)pFunQt[136])()); } // Обязателен косвенный вызов (баг D) ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[137])(QtObj); setQtObj(null); } } QString toQString(QString shabl) { //-> QString qs = new QString(); (cast(t_v__qp_qp_qp)pFunQt[140])(QtObj, qs.QtObj, shabl.QtObj); return qs; } /// Выдать содержимое в QString string toString(T1)(T1 shabl) { //-> QString qs = toQString(new QString(to!string(shabl))); return to!string(qs.String); } /// Выдать всё содержимое в String } // ============ QTime =============== /* h the hour without a leading zero (0 to 23 or 1 to 12 if AM/PM display) hh the hour with a leading zero (00 to 23 or 01 to 12 if AM/PM display) H the hour without a leading zero (0 to 23, even with AM/PM display) HH the hour with a leading zero (00 to 23, even with AM/PM display) m the minute without a leading zero (0 to 59) mm the minute with a leading zero (00 to 59) s the second without a leading zero (0 to 59) ss the second with a leading zero (00 to 59) z the milliseconds without leading zeroes (0 to 999) zzz the milliseconds with leading zeroes (000 to 999) AP or A use AM/PM display. A/AP will be replaced by either "AM" or "PM". ap or a use am/pm display. a/ap will be replaced by either "am" or "pm". t the timezone (for example "CEST") */ class QTime : QObject { this() { setQtObj((cast(t_qp__v)pFunQt[138])()); } // Обязателен косвенный вызов (баг D) ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[139])(QtObj); setQtObj(null); } } QString toQString(QString shabl) { //-> QString qs = new QString(); (cast(t_v__qp_qp_qp)pFunQt[141])(QtObj, qs.QtObj, shabl.QtObj); return qs; } /// Выдать содержимое в QString string toString(T1)(T1 shabl) { //-> QString qs = toQString(new QString(to!string(shabl))); return to!string(qs.String); } /// Выдать всё содержимое в String } // ================ QFileDialog ================ class QFileDialog : QDialog { enum ViewMode { Detail = 0, // Displays an icon, a name, and details for each item in the directory. List = 1 // Displays only an icon and a name for each item in the directory. } /// На сколько детаьно паказывать имена файлов enum Option { Null = 0, ShowDirsOnly = 0x00000001, // Only show directories in the file dialog. By default both files and directories are shown. (Valid only in the Directory file mode.) DontResolveSymlinks = 0x00000002, // Don't resolve symlinks in the file dialog. By default symlinks are resolved. DontConfirmOverwrite = 0x00000004, // Don't ask for confirmation if an existing file is selected. By default confirmation is requested. DontUseNativeDialog = 0x00000010, // Don't use the native file dialog. By default, the native file dialog is used unless you use a subclass of QFileDialog that contains the Q_OBJECT macro, or the platform does not have a native dialog of the type that you require. ReadOnly = 0x00000020, // Indicates that the model is readonly. HideNameFilterDetails = 0x00000040, //Indicates if the file name filter details are hidden or not. DontUseSheet = 0x00000008, // In previous versions of Qt, the static functions would create a sheet by default if the static function was given a parent. This is no longer supported and does nothing in Qt 4.5, The static functions will always be an application modal dialog. If you want to use sheets, use QFileDialog::open() instead. DontUseCustomDirectoryIcons = 0x00000080 //Always use the default directory icon. Some platforms allow the user to set a different icon. Custom icon lookup cause a big performance impact over network or removable drives. Setting this will enable the QFileIconProvider::DontUseCustomDirectoryIcons option in the icon provider. This enum value was added in Qt 5.2. } private extern (C) @nogc alias t_v__qp_qp_qp_qp_qp_qp_qp_i = void function(QtObjH, QtObjH, QtObjH, QtObjH, QtObjH, QtObjH, QtObjH, int); private extern (C) @nogc alias t_v__qp_qp_qp_qp_qp_qp_i = void function(QtObjH, QtObjH, QtObjH, QtObjH, QtObjH, QtObjH, int); this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[143])(QtObj); setQtObj(null); } } this(QWidget parent, QtE.WindowType fl = QtE.WindowType.Widget) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_i) pFunQt[142])(parent.QtObj, fl)); } else { setQtObj((cast(t_qp__qp_i) pFunQt[142])(null, fl)); } } /// Конструктор // this() { super(); } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } QFileDialog setNameFilter(QString shabl) { //-> (cast(t_v__qp_qp_i)pFunQt[144])(QtObj, shabl.QtObj, 0); return this; } /// Установить фильтр для выбираемых файлов QFileDialog setNameFilter(T1)(T1 shabl) { //-> setNameFilter(new QString(to!string(shabl))); return this; } /// Установить фильтр для выбираемых файлов QFileDialog selectFile(QString shabl) { //-> (cast(t_v__qp_qp_i)pFunQt[144])(QtObj, shabl.QtObj, 1); return this; } /// Выбрать строго конкретное имя файла QFileDialog selectFile(T1)(T1 shabl) { //-> setNameFilter(new QString(to!string(shabl))); return this; } /// Выбрать строго конкретное имя файла QFileDialog setDirectory(QString shabl) { //-> (cast(t_v__qp_qp_i)pFunQt[144])(QtObj, shabl.QtObj, 2); return this; } /// Открыть конкретный каталог QFileDialog setDirectory(T1)(T1 shabl) { //-> setNameFilter(new QString(to!string(shabl))); return this; } /// Открыть конкретный каталог QFileDialog setDefaultSuffix(QString shabl) { //-> (cast(t_v__qp_qp_i)pFunQt[144])(QtObj, shabl.QtObj, 3); return this; } /// "txt" - добавит эту строку к имени файла, если нет расширения QFileDialog setDefaultSuffix(T1)(T1 shabl) { //-> setNameFilter(new QString(to!string(shabl))); return this; } /// "txt" - добавит эту строку к имени файла, если нет расширения QFileDialog setViewMode(QFileDialog.ViewMode pr) { //-> (cast(t_v__qp_i)pFunQt[145])(QtObj, pr); return this; } // Выбор файла для открытия string getOpenFileNameSt( //-> string caption = "", // Заголовок string dir = "", // Начальный каталог string filter = "*", // Фильтр "*.d;;*.f" string selectedFilter = "", Option options = Option.Null) { QString qrez = new QString(); QString qcaption = new QString(caption); QString qdir = new QString(dir); QString qfilter = new QString(filter); QString qselectedFilter = new QString(selectedFilter); (cast(t_v__qp_qp_qp_qp_qp_qp_i)pFunQt[274]) (QtObj, qrez.QtObj, qcaption.QtObj, qdir.QtObj, qfilter.QtObj, qselectedFilter.QtObj, options); return qrez.String; } // Выбор файла для открытия string getOpenFileName( //-> string caption = "", // Заголовок string dir = "", // Начальный каталог string filter = "*", // Фильтр "*.d;;*.f" string selectedFilter = "", Option options = Option.Null) { QString qrez = new QString(); QString qcaption = new QString(caption); QString qdir = new QString(dir); QString qfilter = new QString(filter); QString qselectedFilter = new QString(selectedFilter); (cast(t_v__qp_qp_qp_qp_qp_qp_qp_i)pFunQt[146]) (QtObj, QtObj, qrez.QtObj, qcaption.QtObj, qdir.QtObj, qfilter.QtObj, qselectedFilter.QtObj, options); return qrez.String; } // Выбор файла для сохранения. Позволяет выбрать не существующий файл string getSaveFileNameSt( //-> string caption = "", // Заголовок string dir = "", // Начальный каталог string filter = "*", // Фильтр "*.d;;*.f" string selectedFilter = "", Option options = Option.Null) { QString qrez = new QString(); QString qcaption = new QString(caption); QString qdir = new QString(dir); QString qfilter = new QString(filter); QString qselectedFilter = new QString(selectedFilter); (cast(t_v__qp_qp_qp_qp_qp_qp_i)pFunQt[275]) (QtObj, qrez.QtObj, qcaption.QtObj, qdir.QtObj, qfilter.QtObj, qselectedFilter.QtObj, options); return qrez.String; } // Выбор файла для сохранения. Позволяет выбрать не существующий файл string getSaveFileName( //-> string caption = "", // Заголовок string dir = "", // Начальный каталог string filter = "*", // Фильтр "*.d;;*.f" string selectedFilter = "", Option options = Option.Null) { QString qrez = new QString(); QString qcaption = new QString(caption); QString qdir = new QString(dir); QString qfilter = new QString(filter); QString qselectedFilter = new QString(selectedFilter); (cast(t_v__qp_qp_qp_qp_qp_qp_qp_i)pFunQt[147]) (QtObj, QtObj, qrez.QtObj, qcaption.QtObj, qdir.QtObj, qfilter.QtObj, qselectedFilter.QtObj, options); return qrez.String; } } // ================ QMdiArea ================ class QMdiArea : QAbstractScrollArea { enum ViewMode { SubWindowView = 0, // Display sub-windows with window frames (default). TabbedView = 1 // Display sub-windows with tabs in a tab bar. } this() { /* msgbox( "new QMdiArea(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[152])(QtObj); setQtObj(null); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[151])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[151])(null)); } } /// Конструктор void* addSubWindow(QWidget wd, QtE.WindowType fl = QtE.WindowType.Widget) { //-> return (cast(t_qp__qp_qp_i)pFunQt[155])(QtObj, wd.QtObj, cast(int)fl); } void* activeSubWindow() { //-> Указатель на активное в данный момент окно return (cast(t_qp__qp)pFunQt[338])(QtObj); } @property bool documentMode() { return (cast(t_b__qp_i)pFunQt[431])(QtObj, 0); } @property bool tabsClosable() { return (cast(t_b__qp_i)pFunQt[431])(QtObj, 1); } @property bool tabsMovable() { return (cast(t_b__qp_i)pFunQt[431])(QtObj, 2); } void setDocumentMode(bool b) { (cast(t_v__qp_b_i)pFunQt[432])(QtObj, b, 0); } void setTabsClosable(bool b) { (cast(t_v__qp_b_i)pFunQt[432])(QtObj, b, 1); } void setTabsMovable(bool b) { (cast(t_v__qp_b_i)pFunQt[432])(QtObj, b, 2); } void removeSubWindow(QWidget wd) { (cast(t_v__qp_qp)pFunQt[433])(QtObj, wd.QtObj); } void setViewMode( QMdiArea.ViewMode mode) { (cast(t_v__qp_i)pFunQt[434])(QtObj, mode); } } // ================ QMdiSubWindow ================ class QMdiSubWindow : QWidget { this() { /* msgbox( "new QMdiSubWindow(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[154])(QtObj); setQtObj(null); } } this(QWidget parent = null, QtE.WindowType fl = QtE.WindowType.Widget) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_i) pFunQt[153])(parent.QtObj, fl)); } else { setQtObj((cast(t_qp__qp_i) pFunQt[153])(null, fl)); } } /// Конструктор } // ============ QAbstractItemView ================== class QAbstractItemView : QAbstractScrollArea { this(){} ~this() { // if(!fNoDelete) { (cast(t_v__qp) pFunQt[67])(QtObj); setQtObj(null); } } // this() { super(); } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent) { /* if (parent) { setQtObj((cast(t_qp__qp) pFunQt[66])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[66])(null)); } */ } /// Конструктор } // ============ QHeaderView ================= class QHeaderView : QAbstractItemView { enum ResizeMode { Interactive = 0, Fixed = 2, Stretch = 1, ResizeToContents = 3 } this(){} // ~this() { // if(!fNoDelete) { (cast(t_v__qp) pFunQt[160])(QtObj); setQtObj(null); } // } // this() { super(); } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /* this(QWidget parent) { setQtObj((cast(t_qp__qp) pFunQt[159])(parent ? parent.QtObj : null)); } /// Конструктор */ } // ============ QTableView ================== class QTableView : QAbstractItemView { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[160])(QtObj); setQtObj(null); } } // this() { super(); } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent) { if(parent !is null) setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[159])(parent ? parent.QtObj : null)); } /// Конструктор QTableView setColumnWidth(int column, int width) { //-> (cast(t_v__qp_i_i_i) pFunQt[174])(QtObj, column, width, 0); return this; } int columnWidth(int column) { //-> return (cast(t_i__qp_i_i) pFunQt[175])(QtObj, column, 0); } QTableView setRowHeight(int row, int height) { //-> (cast(t_v__qp_i_i_i) pFunQt[174])(QtObj, row, height, 1); return this; } int rowHeight(int row) { //-> return (cast(t_i__qp_i_i) pFunQt[175])(QtObj, row, 1); } int columnAt(int column) { //-> return (cast(t_i__qp_i_i) pFunQt[175])(QtObj, column, 2); } int rowAt(int row) { //-> return (cast(t_i__qp_i_i) pFunQt[175])(QtObj, row, 3); } QTableView showColumn(int column) { //-> (cast(t_v__qp_i_i) pFunQt[175])(QtObj, column, 4); return this; } QTableView hideColumn(int column) { //-> (cast(t_v__qp_i_i) pFunQt[175])(QtObj, column, 5); return this; } QTableView showRow(int row) { //-> (cast(t_v__qp_i_i) pFunQt[175])(QtObj, row, 6); return this; } QTableView hideRow(int row) { //-> (cast(t_v__qp_i_i) pFunQt[175])(QtObj, row, 7); return this; } QTableView ResizeModeColumn(int column, QHeaderView.ResizeMode rm = QHeaderView.ResizeMode.Stretch) { //-> (cast(t_v__qp_i_i_i) pFunQt[182])(QtObj, column, rm, 0); return this; } QTableView ResizeModeRow(int row, QHeaderView.ResizeMode rm = QHeaderView.ResizeMode.Stretch) { //-> (cast(t_v__qp_i_i_i) pFunQt[182])(QtObj, row, rm, 1); return this; } // funQt(182, bQtE5Widgets, hQtE5Widgets, sQtE5Widgets, "qteQTableView_ResizeMode", showError); } // ============ QTableWidget ================== class QTableWidget : QTableView { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[162])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent) { if(parent !is null) setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[161])(parent ? parent.QtObj : null)); } /// Конструктор QTableWidget setRowCount(int row) { //-> (cast(t_v__qp_i_i) pFunQt[163])(QtObj, row, 1); return this; } QTableWidget setColumnCount(int col) { //-> (cast(t_v__qp_i_i) pFunQt[163])(QtObj, col, 0); return this; } QTableWidget insertRow(int row) { //-> (cast(t_v__qp_i_i) pFunQt[163])(QtObj, row, 3); return this; } QTableWidget insertColumn(int col) { //-> (cast(t_v__qp_i_i) pFunQt[163])(QtObj, col, 2); return this; } QTableWidget clear() { //-> (cast(t_v__qp_i_i) pFunQt[163])(QtObj, 0, 4); return this; } QTableWidget clearContents() { //-> (cast(t_v__qp_i_i) pFunQt[163])(QtObj, 0, 5); return this; } /// Удалено содержание, но заголовки и прочее остаётся QTableWidget setItem(int r, int c, QTableWidgetItem twi) { //-> twi.setNoDelete(true); (cast(t_v__qp_qp_i_i) pFunQt[167])(QtObj, twi.QtObj, r, c); return this; } QTableWidget setHorizontalHeaderItem(int c, QTableWidgetItem twi) { //-> (cast(t_v__qp_qp_i_i) pFunQt[176])(QtObj, twi.QtObj, c, 0); return this; } QTableWidget setVerticalHeaderItem(int row, QTableWidgetItem twi) { //-> (cast(t_v__qp_qp_i_i) pFunQt[176])(QtObj, twi.QtObj, row, 1); return this; } QTableWidget setCurrentCell(int row, int column) { //-> (cast(t_v__qp_i_i) pFunQt[241])(QtObj, row, column); return this; } int currentColumn() { //-> Выдать текущую колонку return (cast(t_i__qp_i) pFunQt[369])(QtObj, 0); } int currentRow() { //-> Выдать текущую строку return (cast(t_i__qp_i) pFunQt[369])(QtObj, 1); } override int colorCount() { //-> Выдать доступное для рисования количество цветов return (cast(t_i__qp_i) pFunQt[369])(QtObj, 2); } QTableWidgetItem item(int row, int col) { //-> Выдать указатеь на QTableItem для дальнейшей обработки QTableWidgetItem twi = new QTableWidgetItem('+', (cast(t_qp__qp_i_i) pFunQt[370])(QtObj, row, col)); twi.setNoDelete(true); return twi; } QTableWidgetItem takeItem(int row, int col) { //-> Выдать указатеь на QTableItem для дальнейшей обработки return new QTableWidgetItem('+', (cast(t_qp__qp_i_i) pFunQt[371])(QtObj, row, col)); } /* QString toQString(QString shabl) { QString qs = new QString(); (cast(t_v__qp_qp_qp)pFunQt[141])(QtObj, qs.QtObj, shabl.QtObj); return qs; } */} // =========== QTableWidgetItem ======== class QTableWidgetItem : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[165])(QtObj); setQtObj(null); } } this(QTableWidget tw, int row, int col) { setQtObj((cast(t_qp__qp_i_i)pFunQt[169])(tw.QtObj, row, col)); } /// Создать item забрав его по координатам this(int Type) { setQtObj((cast(t_qp__i)pFunQt[164])(Type)); } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } QTableWidgetItem setText(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[166])(QtObj, str.QtObj, 0); return this; } /// Установить текст в ячейке QTableWidgetItem setText(T)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[166])(QtObj, sQString(str).QtObj, 0); return this; } /// Установить текст в ячейке QTableWidgetItem setToolTip(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[166])(QtObj, str.QtObj, 1); return this; } QTableWidgetItem setToolTip(T)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[166])(QtObj, sQString(str).QtObj, 1); return this; } QTableWidgetItem setStatusTip(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[166])(QtObj, str.QtObj, 2); return this; } QTableWidgetItem setStatusTip(T)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[166])(QtObj, sQString(str).QtObj, 2); return this; } QTableWidgetItem setWhatsThis(T: QString)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[166])(QtObj, str.QtObj, 3); return this; } QTableWidgetItem setWhatsThis(T)(T str) { //-> (cast(t_v__qp_qp_i) pFunQt[166])(QtObj, sQString(str).QtObj, 3); return this; } int column() { //-> return (cast(t_i__qp_i) pFunQt[168])(QtObj, 0); } int row() { //-> return (cast(t_i__qp_i) pFunQt[168])(QtObj, 1); } int textAlignment() { //-> return (cast(t_i__qp_i) pFunQt[168])(QtObj, 2); } int type() { //-> return (cast(t_i__qp_i) pFunQt[168])(QtObj, 3); } T text(T: QString)() { //-> QString qs = new QString(); (cast(t_v__qp_qp)pFunQt[170])(QtObj, qs.QtObj); return qs; } /// Выдать содержимое в QString T text(T)() { return to!T(text!QString().String); } /// Выдать всё содержимое в String QTableWidgetItem setTextAlignment(QtE.AlignmentFlag alig = QtE.AlignmentFlag.AlignLeft) { //-> (cast(t_v__qp_i)pFunQt[171])(QtObj, alig); return this; } QTableWidgetItem setBackground(QBrush brush) { //-> (cast(t_v__qp_qp_i)pFunQt[180])(QtObj, brush.QtObj, 0); return this; } QTableWidgetItem setForeground(QBrush brush) { //-> (cast(t_v__qp_qp_i)pFunQt[180])(QtObj, brush.QtObj, 1); return this; } QTableWidgetItem setFlags(QtE.ItemFlag flags) { //-> Установить флаги на ячейку. Выбирать, редактировать и т.д. (cast(t_v__qp_i)pFunQt[372])(QtObj, flags); return this; } QtE.ItemFlag flags() { //-> Прочитать флаги на ячейку. return cast(QtE.ItemFlag)(cast(t_i__qp)pFunQt[373])(QtObj); } QTableWidgetItem setSelected(bool select) { //-> Установить признак "выбран" (cast(t_v__qp_b)pFunQt[374])(QtObj, select); return this; } bool isSelected() { //-> return (cast(t_b__qp)pFunQt[375])(QtObj); } QTableWidgetItem setIcon(QIcon ik) { //-> (cast(t_v__qp_qp) pFunQt[376])(QtObj, ik.QtObj); return this; } /// } // ================ QComboBox ================ /++ QComboBox (Выподающий список), но немного модифицированный в QtE.DLL. +/ class QComboBox : QWidget { this() { /* msgbox( "new QComboBox(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[184])(QtObj); setQtObj(null); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[183])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[183])(null)); } } /// Конструктор QComboBox addItem(QString str, int i) { //-> (cast(t_v__qp_qp_i_i) pFunQt[185])(QtObj, str.QtObj, i, 0); return this; } /// Добавить строку str с значением i QComboBox addItem(string s, int i) { //-> (cast(t_v__qp_qp_i_i) pFunQt[185])(QtObj, sQString(s).QtObj, i, 0); return this; } QComboBox setItemText(QString str, int n) { //-> (cast(t_v__qp_qp_i_i) pFunQt[185])(QtObj, str.QtObj, n, 1); return this; } /// Заменить строку, значение i не меняется QComboBox setItemText(string s, int n) { //-> (cast(t_v__qp_qp_i_i) pFunQt[185])(QtObj, sQString(s).QtObj, n, 1); return this; } QComboBox setMaxCount(int n) { //-> (cast(t_v__qp_qp_i_i) pFunQt[185])(QtObj, null, n, 2); return this; } QComboBox setMaxVisibleItems(int n) { //-> (cast(t_v__qp_qp_i_i) pFunQt[185])(QtObj, null, n, 3); return this; } int currentIndex() { //-> return (cast(t_i__qp_i) pFunQt[186])(QtObj, 0); } int count() { //-> return (cast(t_i__qp_i) pFunQt[186])(QtObj, 1); } int maxCount() { //-> return (cast(t_i__qp_i) pFunQt[186])(QtObj, 2); } int maxVisibleItems() { //-> return (cast(t_i__qp_i) pFunQt[186])(QtObj, 3); } int currentData() { //-> return (cast(t_i__qp_i) pFunQt[186])(QtObj, 4); } QComboBox clear() { //-> (cast(t_i__qp_i) pFunQt[186])(QtObj, 5); return this; } T text(T: QString)() { //-> QString qs = new QString(); (cast(t_v__qp_qp)pFunQt[187])(QtObj, qs.QtObj); return qs; } /// Выдать содержимое в QString T text(T)() { //-> return to!T(text!QString().String); } /// Выдать всё содержимое в String // setQtObj((cast(t_qp__qp) pFunQt[161])(parent ? parent.QtObj : null)); } // ================ QPen ================ class QPen : QObject { this() { setQtObj((cast(t_qp__v) pFunQt[191])()); } // Обязателен косвенный вызов (баг D) ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[192])(QtObj); setQtObj(null); } } this(QColor color) { setQtObj((cast(t_qp__qp) pFunQt[396])(color.QtObj)); } /// Конструктор QPen setColor(QColor color) { //-> (cast(t_v__qp_qp) pFunQt[193])(QtObj, color.QtObj); return this; } QPen setStyle(QtE.PenStyle ps = QtE.PenStyle.SolidLine) { //-> (cast(t_v__qp_i) pFunQt[194])(QtObj, ps); return this; } QPen setWidth(int w) { //-> (cast(t_v__qp_i) pFunQt[195])(QtObj, w); return this; } } // ============ QLCDNumber ======================================= class QLCDNumber : QFrame { enum Mode { Hex, Dec, Oct, Bin } enum SegmentStyle { Outline, // Выпуклый Цвета фона - а именно прозрачноБесцветный Filled, // Выпуклый Цвета текста Flat // Плоский } this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[199])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent = null) { // super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[198])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[198])(null)); } } /// Конструктор this(int kolNumber, QWidget parent = null) { // super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_i) pFunQt[200])(parent.QtObj, kolNumber)); } else { setQtObj((cast(t_qp__qp_i) pFunQt[200])(null, kolNumber)); } } /// Конструктор QLCDNumber display(int n) { //-> (cast(t_v__qp_i) pFunQt[201])(QtObj, n); return this; } /// Отобразить число QLCDNumber setSegmentStyle(QLCDNumber.SegmentStyle style) { //-> (cast(t_v__qp_i) pFunQt[202])(QtObj, cast(int)style); return this; } /// Способ изображения сегментов QLCDNumber setDigitCount(int kolNumber) { //-> (cast(t_v__qp_i) pFunQt[203])(QtObj, kolNumber); return this; } /// Установить количество показываемых цифр QLCDNumber setMode(QLCDNumber.Mode mode) { //-> (cast(t_v__qp_i) pFunQt[204])(QtObj, cast(int)mode); return this; } /// Способ изображения сегментов } // ============ QAbstractSlider ======================================= class QAbstractSlider : QWidget { this() {} this(QWidget parent) {} ~this() { if(!fNoDelete) {} } QAbstractSlider setMaximum( int n ) { //-> (cast(t_v__qp_i_i) pFunQt[205])(QtObj, n, 0); return this; } QAbstractSlider setMinimum( int n ) { //-> (cast(t_v__qp_i_i) pFunQt[205])(QtObj, n, 1); return this; } QAbstractSlider setPageStep( int n ) { //-> (cast(t_v__qp_i_i) pFunQt[205])(QtObj, n, 2); return this; } QAbstractSlider setSingleStep( int n ) { //-> (cast(t_v__qp_i_i) pFunQt[205])(QtObj, n, 3); return this; } QAbstractSlider setSliderPosition( int n ) { //-> (cast(t_v__qp_i_i) pFunQt[205])(QtObj, n, 4); return this; } int maximum() { //-> return (cast(t_i__qp_i) pFunQt[208])(QtObj, 0); } int minimum() { //-> return (cast(t_i__qp_i) pFunQt[208])(QtObj, 1); } int pageStep() { //-> return (cast(t_i__qp_i) pFunQt[208])(QtObj, 2); } int singleStep() { //-> return (cast(t_i__qp_i) pFunQt[208])(QtObj, 3); } int sliderPosition() { //-> return (cast(t_i__qp_i) pFunQt[208])(QtObj, 4); } int value() { //-> return (cast(t_i__qp_i) pFunQt[208])(QtObj, 5); } } // ============ QSlider ======================================= class QSlider : QAbstractSlider { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[207])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// Конструктор this(QWidget parent = null, QtE.Orientation n = QtE.Orientation.Horizontal) { super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_i) pFunQt[206])(parent.QtObj, cast(int)n)); } else { setQtObj((cast(t_qp__qp_i) pFunQt[206])(null, cast(int)n)); } } /// Конструктор } // ================ QGroupBox ================ class QGroupBox : QWidget { this() { /* msgbox( "new QGroupBox(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[213])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// Конструктор this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp)pFunQt[212])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp)pFunQt[212])(null)); } } QGroupBox setText(T: QString)(T str) { //-> (cast(t_v__qp_qp) pFunQt[214])(QtObj, str.QtObj); return this; } /// Установить текст QGroupBox setText(T)(T str) { //-> (cast(t_v__qp_qp) pFunQt[214])(QtObj, sQString(str).QtObj); return this; } /// Установить текст QGroupBox setAlignment(QtE.AlignmentFlag fl) { //-> (cast(t_v__qp_i) pFunQt[215])(QtObj, fl); return this; } /// Выровнять текст } // ================ QCheckBox ================ class QCheckBox : QAbstractButton { //=> Кнопки CheckBox независимые this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[217])(QtObj); setQtObj(null); } } this(T: QString)(T str, QWidget parent = null) { // super(); // Это фактически заглушка, что бы сделать наследование, // не создавая промежуточного экземпляра в Qt if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_qp) pFunQt[216])(parent.QtObj, str.QtObj)); } else { setQtObj((cast(t_qp__qp_qp) pFunQt[216])(null, str.QtObj)); } } /// Создать кнопку. this(T)(T str, QWidget parent = null) { // super(); // Это фактически заглушка, что бы сделать наследование, // не создавая промежуточного экземпляра в Qt if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_qp) pFunQt[216])(parent.QtObj, sQString(str).QtObj)); } else { setQtObj((cast(t_qp__qp_qp) pFunQt[216])(null, sQString(str).QtObj)); } } QtE.CheckState checkState() { //-> Состояние переключателя/кнопки return cast(QtE.CheckState)(cast(t_i__qp) pFunQt[218])(QtObj); } QCheckBox setCheckState(QtE.CheckState st = QtE.CheckState.Unchecked) { //-> Установить состояние переключателя/кнопки (cast(t_v__qp_i) pFunQt[219])(QtObj, st); return this; } bool isTristate() { //-> Есть в третичном состоянии? return (cast(t_b__qp) pFunQt[221])(QtObj); } QCheckBox setTristate(bool state = true) { //-> Установить/отменить третичное состояние (cast(t_v__qp_bool)pFunQt[220])(QtObj, state); return this; } } // ================ QRadioButton ================ class QRadioButton : QAbstractButton { //=> Кнопки РадиоБатоны зависимые this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[223])(QtObj); setQtObj(null); } } this(T: QString)(T str, QWidget parent = null) { // super(); // Это фактически заглушка, что бы сделать наследование, // не создавая промежуточного экземпляра в Qt if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_qp) pFunQt[222])(parent.QtObj, str.QtObj)); } else { setQtObj((cast(t_qp__qp_qp) pFunQt[222])(null, str.QtObj)); } } /// Создать кнопку. this(T)(T str, QWidget parent = null) { // super(); // Это фактически заглушка, что бы сделать наследование, // не создавая промежуточного экземпляра в Qt if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_qp) pFunQt[222])(parent.QtObj, sQString(str).QtObj)); } else { setQtObj((cast(t_qp__qp_qp) pFunQt[222])(null, sQString(str).QtObj)); } } } // ================ QTextCursor ================ class QTextCursor : QObject { enum MoveMode { MoveAnchor = 0, // Moves the anchor to the same position as the cursor itself. KeepAnchor = 1 // Keeps the anchor where it is. } enum MoveOperation { NoMove = 0, // Keep the cursor where it is Start = 1, // Move to the start of the document. StartOfLine = 3, // Move to the start of the current line. StartOfBlock= 4, // Move to the start of the current block. StartOfWord = 5, // Move to the start of the current word. PreviousBlock=6, // Move to the start of the previous block. PreviousCharacter=7,// Move to the previous character. PreviousWord= 8, // Move to the beginning of the previous word. Up = 2, // Move up one line. Left = 9, // Move left one character. WordLeft = 10, // Move left one word. End = 11, // Move to the end of the document. EndOfLine = 13, // Move to the end of the current line. EndOfWord = 14, // Move to the end of the current word. EndOfBlock = 15, // Move to the end of the current block. NextBlock = 16, // Move to the beginning of the next block. NextCharacter=17, // Move to the next character. NextWord = 18, // Move to the next word. Down = 12, // Move down one line. Right = 19, // Move right one character. WordRight = 20, // Move right one word. NextCell = 21, // Move to the beginning of the next table cell inside the current table. If the current cell is the last cell in the row, the cursor will move to the first cell in the next row. PreviousCell= 22, // Move to the beginning of the previous table cell inside the current table. If the current cell is the first cell in the row, the cursor will move to the last cell in the previous row. NextRow = 23, // Move to the first new cell of the next row in the current table. PreviousRow = 24 // Move to the last cell of the previous row in the current table. } enum SelectionType { Document = 3, // Selects the entire document. BlockUnderCursor = 2, // Selects the block of text under the cursor. LineUnderCursor = 1, // Selects the line of text under the cursor. WordUnderCursor = 0 // Selects the word under the cursor. // If the cursor is not positioned within a string of selectable characters, no text is selected. } this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[228])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// Конструктор this(void* ukDocument) { setQtObj((cast(t_qp__qp)pFunQt[227])(cast(QtObj__*)ukDocument)); } this(QWidget* pr) { setQtObj((cast(t_qp__v)pFunQt[229])()); } int anchor() { //-> return (cast(t_i__qp_i) pFunQt[231])(QtObj, 0); } int blockNumber() { //-> return (cast(t_i__qp_i) pFunQt[231])(QtObj, 1); } int columnNumber() { //-> Позиция (с 0) в видимой строке. Перен стр считается снова return (cast(t_i__qp_i) pFunQt[231])(QtObj, 2); } int position() { //-> Позиция (с 0) в тексте, начиная с начала. Счит. печ симв return (cast(t_i__qp_i) pFunQt[231])(QtObj, 3); } int positionInBlock() { //-> Позиция (с 0) в текушей строке return (cast(t_i__qp_i) pFunQt[231])(QtObj, 4); } int selectionEnd() { //-> return (cast(t_i__qp_i) pFunQt[231])(QtObj, 5); } int selectionStart() { //-> return (cast(t_i__qp_i) pFunQt[231])(QtObj, 6); } int verticalMovementX() { //-> Количество пикселей с левого края return (cast(t_i__qp_i) pFunQt[231])(QtObj, 7); } QTextCursor setPosition(int pos, QTextCursor.MoveMode mode = QTextCursor.MoveMode.MoveAnchor) { //-> (cast(t_v__qp_i_i) pFunQt[327])(QtObj, pos, mode); return this; } bool movePosition( //-> QTextCursor.MoveOperation operation, QTextCursor.MoveMode mode = QTextCursor.MoveMode.MoveAnchor, int n = 1) { //-> Передвинуть текстовый курсор return (cast(t_b__qp_i_i_i) pFunQt[254])(QtObj, operation, mode, n); } // 255 QTextCursor beginEditBlock() { //-> (cast(t_v__qp_i) pFunQt[255])(QtObj, 0); return this; } QTextCursor endEditBlock() { //-> (cast(t_v__qp_i) pFunQt[255])(QtObj, 4); return this; } QTextCursor clearSelection() { //-> (cast(t_v__qp_i) pFunQt[255])(QtObj, 1); return this; } QTextCursor deleteChar() { //-> (cast(t_v__qp_i) pFunQt[255])(QtObj, 2); return this; } QTextCursor deletePreviousChar() { //-> (cast(t_v__qp_i) pFunQt[255])(QtObj, 3); return this; } QTextCursor insertBlock() { //-> (cast(t_v__qp_i) pFunQt[255])(QtObj, 5); return this; } QTextCursor removeSelectedText() { //-> (cast(t_v__qp_i) pFunQt[255])(QtObj, 6); return this; } QTextCursor insertText(T: QString)(T str) { //-> (cast(t_v__qp_qp) pFunQt[256])(QtObj, str.QtObj); return this; } /// Установить текст QTextCursor insertText(T)(T str) { //-> (cast(t_v__qp_qp) pFunQt[256])(QtObj, sQString(str).QtObj); return this; } /// Установить текст QTextCursor select(SelectionType type) { //-> Установить выделение (cast(t_v__qp_i) pFunQt[286])(QtObj, type); return this; } } // ================ QRect ================ class QRect : QObject { this() { setQtObj((cast(t_qp__v)pFunQt[232])()); } // Обязателен косвенный вызов (баг D) ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[233])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// Конструктор @property int x() { //-> return (cast(t_i__qp_i) pFunQt[234])(QtObj, 0); } @property int y() { //-> return (cast(t_i__qp_i) pFunQt[234])(QtObj, 1); } @property int width() { //-> return (cast(t_i__qp_i) pFunQt[234])(QtObj, 2); } @property int height() { //-> return (cast(t_i__qp_i) pFunQt[234])(QtObj, 3); } @property int left() { //-> return (cast(t_i__qp_i) pFunQt[234])(QtObj, 4); } @property int right() { //-> return (cast(t_i__qp_i) pFunQt[234])(QtObj, 5); } @property int top() { //-> return (cast(t_i__qp_i) pFunQt[234])(QtObj, 6); } @property int bottom() { //-> return (cast(t_i__qp_i) pFunQt[234])(QtObj, 7); } QRect setCoords(int x1, int y1, int x2, int y2) { //-> Задать координаты (cast(t_v__qp_i_i_i_i_i) pFunQt[242])(QtObj, x1, y1, x2, y2, 0); return this; } QRect setRect(int x1, int y1, int width, int height) { //-> Задать верх лев угол и длину + ширину (cast(t_v__qp_i_i_i_i_i) pFunQt[242])(QtObj, x1, y1, width, height, 1); return this; } } // ================ QTextBlock ================ struct sQTextBlock { //____________________________ private: QtObjH adrCppObj; //____________________________ public: @disable this(); @property QtObjH QtObj() { return adrCppObj; } void setQtObj(QtObjH adr) { adrCppObj = adr; } //____________________________ ~this() { del(); } // this() { setQtObj((cast(t_qp__v)pFunQt[238])()); } void del() { (cast(t_v__qp)pFunQt[239])(QtObj); setQtObj(null); } this(QTextCursor tk) { setQtObj((cast(t_qp__qp)pFunQt[240])(tk.QtObj)); } T text(T: QString)() { //-> Содержимое блока в QString QString qs = new QString(); (cast(t_v__qp_qp)pFunQt[237])(QtObj, qs.QtObj); return qs; } /// Выдать содержимое в QString T text(T)() { return to!T(text!QString().String); } /// Выдать всё содержимое в String @property int blockNumber() { //-> return (cast(t_i__qp)pFunQt[283])(QtObj); } void next(QTextBlock tb) { //-> (cast(t_v__qp_qp_i)pFunQt[299])(QtObj, tb.QtObj, 0); } void previous(QTextBlock tb) { //-> (cast(t_v__qp_qp_i)pFunQt[299])(QtObj, tb.QtObj, 1); } @property bool isValid() { //-> return (cast(t_b__qp_i)pFunQt[300])(QtObj, 0); } @property bool isVisible() { //-> return (cast(t_b__qp_i)pFunQt[300])(QtObj, 1); } } class QTextBlock : QObject { this() { setQtObj((cast(t_qp__v)pFunQt[238])()); } // Обязателен косвенный вызов (баг D) ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[239])(QtObj); setQtObj(null); } } this(QTextCursor tk) { setQtObj((cast(t_qp__qp)pFunQt[240])(tk.QtObj)); } T text(T: QString)() { //-> Содержимое блока в QString QString qs = new QString(); (cast(t_v__qp_qp)pFunQt[237])(QtObj, qs.QtObj); return qs; } /// Выдать содержимое в QString T text(T)() { return to!T(text!QString().String); } /// Выдать всё содержимое в String @property int blockNumber() { //-> return (cast(t_i__qp)pFunQt[283])(QtObj); } void next(QTextBlock tb) { //-> (cast(t_v__qp_qp_i)pFunQt[299])(QtObj, tb.QtObj, 0); } void previous(QTextBlock tb) { //-> (cast(t_v__qp_qp_i)pFunQt[299])(QtObj, tb.QtObj, 1); } @property bool isValid() { //-> return (cast(t_b__qp_i)pFunQt[300])(QtObj, 0); } @property bool isVisible() { //-> return (cast(t_b__qp_i)pFunQt[300])(QtObj, 1); } } // ============ QAbstractSpinBox ======================================= class QAbstractSpinBox : QWidget { this() {} this(QWidget parent) {} ~this() { } void setReadOnly(bool f) { //-> T - только чтать, изменять нельзя (cast(t_v__qp_bool)pFunQt[252])(QtObj, f); } } // ============ QSpinBox ======================================= class QSpinBox : QAbstractSpinBox { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[248])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// Конструктор this(QWidget parent) { super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[247])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[247])(null)); } } /// Конструктор QSpinBox selectAll() { //-> Выбрать всё (cast(t_v__qp_i_i) pFunQt[249])(QtObj, 0, 4); return this; } QSpinBox setMinimum(int n) { //-> Установить минимум (cast(t_v__qp_i_i) pFunQt[249])(QtObj, n, 0); return this; } QSpinBox setMaximum(int n) { //-> Установить максимум (cast(t_v__qp_i_i) pFunQt[249])(QtObj, n, 1); return this; } QSpinBox setSingleStep(int n) { //-> Установить приращение (cast(t_v__qp_i_i) pFunQt[249])(QtObj, n, 2); return this; } QSpinBox setValue(int n) { //-> Установить значение (cast(t_v__qp_i_i) pFunQt[249])(QtObj, n, 3); return this; } int minimum() { //-> Получить минимальное return (cast(t_i__qp_i) pFunQt[250])(QtObj, 0); } int maximum() { //-> Получить максимальное return (cast(t_i__qp_i) pFunQt[250])(QtObj, 1); } int singleStep() { //-> Получить приращение return (cast(t_i__qp_i) pFunQt[250])(QtObj, 2); } int value() { //-> Получить значение return (cast(t_i__qp_i) pFunQt[250])(QtObj, 3); } QSpinBox setPrefix(T: QString)(T str) { (cast(t_v__qp_qp_i) pFunQt[251])(QtObj, str.QtObj, 0); return this; } /// Установить текст QSpinBox setPrefix(T)(T str) { (cast(t_v__qp_qp_i) pFunQt[251])(QtObj, sQString(str).QtObj, 0); return this; } /// Установить текст QSpinBox setSuffix(T: QString)(T str) { (cast(t_v__qp_qp_i) pFunQt[251])(QtObj, str.QtObj, 1); return this; } /// Установить текст QSpinBox setSuffix(T)(T str) { (cast(t_v__qp_qp_i) pFunQt[251])(QtObj, sQString(str).QtObj, 1); return this; } /// Установить текст } // ============ Highlighter ======================================= class Highlighter : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[258])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// Конструктор this(void* parent) { super(); if (parent) { setQtObj((cast(t_qp__vp) pFunQt[257])(parent)); } else { setQtObj((cast(t_qp__vp) pFunQt[257])(null)); } } /// Конструктор } // ============ HighlighterM ======================================= class HighlighterM : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[443])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// Конструктор this(void* parent) { super(); if (parent) { setQtObj((cast(t_qp__vp) pFunQt[442])(parent)); } else { setQtObj((cast(t_qp__vp) pFunQt[442])(null)); } } /// Конструктор } // ================ QTextEdit ================ /++ Продвинутый редактор +/ class QTextEdit : QAbstractScrollArea { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[261])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') { setQtObj(cast(QtObjH)adr); setNoDelete(true); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[260])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[260])(null)); } } /// Конструктор QTextEdit setPlainText(T: QString)(T str) { //-> Удалить всё и вставить с начала (cast(t_v__qp_qp_i) pFunQt[270])(QtObj, str.QtObj, 0); return this; } /// Удалить всё и вставить с начала QTextEdit setPlainText(T)(T str) { //-> Удалить всё и вставить с начала (cast(t_v__qp_qp_i) pFunQt[270])(QtObj, sQString(str).QtObj, 0); return this; } /// Удалить всё и вставить с начала QTextEdit insertPlainText(T: QString)(T str) { //-> Вставить текст в месте курсора (cast(t_v__qp_qp_i) pFunQt[270])(QtObj, str.QtObj, 1); return this; } /// Вставить текст в месте курсора QTextEdit insertPlainText(T)(T str) { //-> Вставить текст в месте курсора (cast(t_v__qp_qp_i) pFunQt[270])(QtObj, sQString(str).QtObj, 1); return this; } /// Вставить текст в месте курсора QTextEdit setHtml(T: QString)(T str) { //-> Удалить всё и вставить с начала (cast(t_v__qp_qp_i) pFunQt[270])(QtObj, str.QtObj, 2); return this; } /// Удалить всё и вставить с начала QTextEdit setHtml(T)(T str) { //-> Удалить всё и вставить с начала (cast(t_v__qp_qp_i) pFunQt[270])(QtObj, sQString(str).QtObj, 2); return this; } /// Удалить всё и вставить с начала QTextEdit append(T: QString)(T str) { //-> Дописать в конец (cast(t_v__qp_qp_i) pFunQt[270])(QtObj, str.QtObj, 4); return this; } QTextEdit append(T)(T str) { //-> Дописать в конец (cast(t_v__qp_qp_i) pFunQt[270])(QtObj, sQString(str).QtObj, 4); return this; } QTextEdit insertHtml(T: QString)(T str) { //-> Вставить текст в месте курсора (cast(t_v__qp_qp_i) pFunQt[270])(QtObj, str.QtObj, 3); return this; } /// Вставить текст в месте курсора QTextEdit insertHtml(T)(T str) { //-> Вставить текст в месте курсора (cast(t_v__qp_qp_i) pFunQt[270])(QtObj, sQString(str).QtObj, 3); return this; } /// Вставить текст в месте курсора T toPlainText(T: QString)() { //-> QString qs = new QString(); (cast(t_v__qp_qp_i)pFunQt[271])(QtObj, qs.QtObj, 0); return qs; } /// Выдать содержимое в QString T toPlainText(T)() { //-> return to!T(toPlainText!QString().String); } /// Выдать всё содержимое в String T toHtml(T: QString)() { //-> QString qs = new QString(); (cast(t_v__qp_qp_i)pFunQt[271])(QtObj, qs.QtObj, 1); return qs; } /// Выдать содержимое в QString T toHtml(T)() { //-> return to!T(toHtml!QString().String); } /// Выдать всё содержимое в String QTextEdit cut() { //-> Вырезать кусок (cast(t_v__qp_i) pFunQt[272])(QtObj, 0); return this; } /// cut() QTextEdit clear() { //-> Очистить всё (cast(t_v__qp_i) pFunQt[272])(QtObj, 1); return this; } /// clear() QTextEdit paste() { //-> Вставить из буфера (cast(t_v__qp_i) pFunQt[272])(QtObj, 2); return this; } /// paste() QTextEdit copy() { //-> Скопировать в буфер (cast(t_v__qp_i) pFunQt[272])(QtObj, 3); return this; } /// copy() QTextEdit selectAll() { //-> (cast(t_v__qp_i) pFunQt[272])(QtObj, 4); return this; } /// selectAll() QTextEdit selectionChanged() { //-> (cast(t_v__qp_i) pFunQt[272])(QtObj, 5); return this; } /// selectionChanged() QTextEdit undo() { //-> (cast(t_v__qp_i) pFunQt[272])(QtObj, 7); return this; } /// undo() QTextEdit redo() { //-> (cast(t_v__qp_i) pFunQt[272])(QtObj, 8); return this; } /// redo() bool acceptRichText() { //-> return (cast(t_b__qp_i) pFunQt[346])(QtObj, 0); } bool canPaste() { //-> return (cast(t_b__qp_i) pFunQt[346])(QtObj, 1); } bool fontItalic() { //-> return (cast(t_b__qp_i) pFunQt[346])(QtObj, 2); } bool fontUnderline() { //-> return (cast(t_b__qp_i) pFunQt[346])(QtObj, 3); } bool isReadOnly() { //-> return (cast(t_b__qp_i) pFunQt[346])(QtObj, 4); } bool isUndoRedoEnabled() { //-> return (cast(t_b__qp_i) pFunQt[346])(QtObj, 5); } bool overwriteMode() { //-> return (cast(t_b__qp_i) pFunQt[346])(QtObj, 6); } bool tabChangesFocus() { //-> return (cast(t_b__qp_i) pFunQt[346])(QtObj, 7); } QTextEdit setAcceptRichText(bool b) { //-> (cast(t_v__qp_b_i) pFunQt[345])(QtObj, b, 0); return this; } QTextEdit setOverwriteMode(bool b) { //-> (cast(t_v__qp_b_i) pFunQt[345])(QtObj, b, 1); return this; } QTextEdit setReadOnly(bool b) { //-> (cast(t_v__qp_b_i) pFunQt[345])(QtObj, b, 2); return this; } QTextEdit setTabChangesFocus(bool b) { //-> (cast(t_v__qp_b_i) pFunQt[345])(QtObj, b, 3); return this; } QTextEdit setUndoRedoEnabled(bool b) { //-> (cast(t_v__qp_b_i) pFunQt[345])(QtObj, b, 4); return this; } } // ================ QTimer ================ class QTimer : QObject { enum TimerType { PreciseTimer = 0, // Precise timers try to keep millisecond accuracy CoarseTimer = 1, // Coarse timers try to keep accuracy within 5% of the desired interval VeryCoarseTimer = 2 // Very coarse timers only keep full second accuracy } this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[263])(QtObj); setQtObj(null); } } this(QObject parent) { setQtObj((cast(t_qp__qp)pFunQt[262])(parent.QtObj)); } // Установить интервал срабатывания в милисекундах QTimer setInterval(int msek) { //-> интервал в милисек (cast(t_v__qp_i) pFunQt[264])(QtObj, msek); return this; } int interval() { //-> Вернуть интервал срабатывания return (cast(t_i__qp_i) pFunQt[265])(QtObj, 0); } int remainingTime() { //-> Вернуть оставшиеся время. -1=не активен, 0=время закончилось return (cast(t_i__qp_i) pFunQt[265])(QtObj, 1); } int timerId() { //-> Id если работает, -1=не работает return (cast(t_i__qp_i) pFunQt[265])(QtObj, 2); } bool isActive() { //-> Активен? return (cast(t_b__qp_i) pFunQt[266])(QtObj, 0); } bool isSingleShot() { //-> Разового срабатывания? return (cast(t_b__qp_i) pFunQt[266])(QtObj, 1); } QTimer setTimerType(QTimer.TimerType t) { //-> Задать тип таймера (cast(t_v__qp_i) pFunQt[267])(QtObj, t); return this; } QTimer setSingleShot(bool t) { //-> Задать тип срабатывания. T - один раз (cast(t_v__qp_b) pFunQt[268])(QtObj, t); return this; } TimerType timerType() { //-> Получить тип таймера return cast(TimerType)(cast(t_i__qp) pFunQt[269])(QtObj); } QTimer start(int msek = 0) { //-> Запуск таймера if(msek > 0) { (cast(t_v__qp_i) pFunQt[342])(QtObj, msek); } else { (cast(t_i__qp_i) pFunQt[265])(QtObj, 3); } return this; } QTimer stop() { //-> (cast(t_i__qp_i) pFunQt[265])(QtObj, 4); return this; } } // ================ QTextOption ================ class QTextOption : QObject { enum WrapMode { NoWrap, WordWrap, ManualWrap, WrapAnywhere, WrapAtWordBoundaryOrAnywhere } this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[292])(QtObj); setQtObj(null); } } this(void* pr) { setQtObj((cast(t_qp__v)pFunQt[291])()); } QTextOption setWrapMode(QTextOption.WrapMode wrap) { //-> Перенос текста в редакторах (cast(t_v__qp_qp) pFunQt[293])(QtObj, cast(QtObjH)wrap); return this; } } // ================ QFontMetrics ================ class QFontMetrics : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[296])(QtObj); setQtObj(null); } } this(QFont fn) { setQtObj((cast(t_qp__qp)pFunQt[295])(fn.QtObj)); } int ascent() { //-> Подъём шрифта. Расстояние от базовой линии до самых высоких символов. return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 0)); } int averageCharWidth() { //-> Возвращает среднюю ширину глифов в шрифте. return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 1)); } int descent() { //-> Расстояние от базовой линии до самых нижних точек return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 2)); } int height() { //-> Высота шрифта. = ascent + descent return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 3)); } int leading() { //-> Интерлиньяж - расстояние между базовыми линиями двух строк return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 4)); } int lineSpacing() { //-> Межстроковый интервал = leading()+height(). return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 5)); } int lineWidth() { //-> Возвращает ширину подчеркивания и зачеркнутых строк. return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 6)); } int maxWidth() { //-> Ширина самго широкого символа return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 7)); } int minLeftBearing() { //-> Минимальный левый перенос шрифта return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 8)); } int minRightBearing() { //-> Минимальный правый перенос шрифта return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 9)); } int overlinePos() { //-> От базовой линии до overLine return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 10)); } int strikeOutPos() { //-> От базы до зачеркнутой линии return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 11)); } int underlinePos() { //-> От базовой линии до underline return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 12)); } int xHeight() { //-> Высота символа 'x' return ((cast(t_i__qp_i)pFunQt[297])(QtObj, 13)); } } // ================ QImage ================ class QImage: QPaintDevice { enum Format { Format_Invalid = 0, // The image is invalid. Format_Mono = 1, // The image is stored using 1-bit per pixel. Bytes are packed with the most significant bit (MSB) first. Format_MonoLSB = 2, // The image is stored using 1-bit per pixel. Bytes are packed with the less significant bit (LSB) first. Format_Indexed8 = 3, // The image is stored using 8-bit indexes into a colormap. Format_RGB32 = 4, // The image is stored using a 32-bit RGB format (0xffRRGGBB). Format_ARGB32 = 5, // The image is stored using a 32-bit ARGB format (0xAARRGGBB). Format_ARGB32_Premultiplied = 6, // The image is stored using a premultiplied 32-bit ARGB format (0xAARRGGBB), i.e. the red, green, and blue channels are multiplied by the alpha component divided by 255. (If RR, GG, or BB has a higher value than the alpha channel, the results are undefined.) Certain operations (such as image composition using alpha blending) are faster using premultiplied ARGB32 than with plain ARGB32. Format_RGB16 = 7, // The image is stored using a 16-bit RGB format (5-6-5). Format_ARGB8565_Premultiplied = 8, // The image is stored using a premultiplied 24-bit ARGB format (8-5-6-5). Format_RGB666 = 9, // The image is stored using a 24-bit RGB format (6-6-6). The unused most significant bits is always zero. Format_ARGB6666_Premultiplied = 10, // The image is stored using a premultiplied 24-bit ARGB format (6-6-6-6). Format_RGB555 = 11, // The image is stored using a 16-bit RGB format (5-5-5). The unused most significant bit is always zero. Format_ARGB8555_Premultiplied = 12, // The image is stored using a premultiplied 24-bit ARGB format (8-5-5-5). Format_RGB888 = 13, // The image is stored using a 24-bit RGB format (8-8-8). Format_RGB444 = 14, // The image is stored using a 16-bit RGB format (4-4-4). The unused bits are always zero. Format_ARGB4444_Premultiplied = 15, // The image is stored using a premultiplied 16-bit ARGB format (4-4-4-4). Format_RGBX8888 = 16, // The image is stored using a 32-bit byte-ordered RGB(x) format (8-8-8-8). This is the same as the Format_RGBA8888 except alpha must always be 255. Format_RGBA8888 = 17, // The image is stored using a 32-bit byte-ordered RGBA format (8-8-8-8). Unlike ARGB32 this is a byte-ordered format, which means the 32bit encoding differs between big endian and little endian architectures, being respectively (0xRRGGBBAA) and (0xAABBGGRR). The order of the colors is the same on any architecture if read as bytes 0xRR,0xGG,0xBB,0xAA. Format_RGBA8888_Premultiplied = 18, // The image is stored using a premultiplied 32-bit byte-ordered RGBA format (8-8-8-8). Format_BGR30 = 19, // The image is stored using a 32-bit BGR format (x-10-10-10). Format_A2BGR30_Premultiplied = 20, // The image is stored using a 32-bit premultiplied ABGR format (2-10-10-10). Format_RGB30 = 21, // The image is stored using a 32-bit RGB format (x-10-10-10). Format_A2RGB30_Premultiplied = 22, // The image is stored using a 32-bit premultiplied ARGB format (2-10-10-10). Format_Alpha8 = 23, // The image is stored using an 8-bit alpha only format. Format_Grayscale8 = 24 // The image is stored using an 8-bit grayscale format. } ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[304])(QtObj); setQtObj(null); } } this() { typePD = 1; setQtObj((cast(t_qp__v)pFunQt[303])()); } // Warning: This will create a QImage with uninitialized data. // Call fill() to fill the image with an appropriate pixel value before drawing onto it with QPainter. this(int width, int height, QImage.Format format) { typePD = 1; setQtObj((cast(t_qp__i_i_i)pFunQt[315])(width, height, format)); } bool load(T: QString)(T str) { //-> Загрузить картинку return (cast(t_b__qp_qp) pFunQt[305])(QtObj, str.QtObj); } bool load(T)(T str) { //-> Загрузить картинку return (cast(t_b__qp_qp) pFunQt[305])(QtObj, sQString(str).QtObj); } QImage fill(QColor cl) { //-> заполнить цветом (cast(t_v__qp_qp) pFunQt[316])(QtObj, cl.QtObj); return this; } QImage fill(QtE.GlobalColor gc) { //-> заполнить цветом (cast(t_v__qp_i) pFunQt[317])(QtObj, gc); return this; } QImage setPixel(int x, int y, uint index_or_rgb) { //-> (cast(t_v__qp_i_i_ui) pFunQt[318])(QtObj, x, y, index_or_rgb); return this; } int bitPlaneCount() { //-> Похоже, что глубина цвета return (cast(t_i__qp_i) pFunQt[319])(QtObj, 2); } int byteCount() { //-> Общее количество байтов в IMage (4 байта на пиксел для 24 глубины) return (cast(t_i__qp_i) pFunQt[319])(QtObj, 3); } int bytesPerLine() { //-> Количество байт на строку изображения return (cast(t_i__qp_i) pFunQt[319])(QtObj, 4); } int dotsPerMeterX() { //-> return (cast(t_i__qp_i) pFunQt[319])(QtObj, 7); } int dotsPerMeterY() { //-> return (cast(t_i__qp_i) pFunQt[319])(QtObj, 8); } uint pixel(int x, int y) { //-> Вернуть uint (QRgb Qt) quadruplet on the format #AARRGGBB, equivalent to an unsigned int. return (cast(t_ui__qp_i_i) pFunQt[321])(QtObj, x, y); } } // ================ QPoint ================ class QPoint : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[307])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } /// Конструктор this(int x, int y) { setQtObj((cast(t_qp__i_i)pFunQt[306])(x, y)); } QPoint setX(int x) { (cast(t_v__qp_i_i)pFunQt[308])(QtObj, x, 0); return this; } QPoint setY(int y) { (cast(t_v__qp_i_i)pFunQt[308])(QtObj, y, 1); return this; } @property int x() { //-> return (cast(t_i__qp_i)pFunQt[309])(QtObj, 0); } @property int y() { //-> return (cast(t_i__qp_i)pFunQt[309])(QtObj, 1); } @property int x(int x) { //-> (cast(t_v__qp_i_i)pFunQt[308])(QtObj, x, 0); return x; } @property int y(int y) { //-> (cast(t_v__qp_i_i)pFunQt[308])(QtObj, y, 1); return y; } } // ================ QJSEngine ================ class QJSEngine : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[455])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') { setQtObj(cast(QtObjH)adr); setNoDelete(true); } } this(QObject parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[454])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[454])(null)); } } // ----------- void evaluate(T: QString)(T sourceLine) { (cast(t_v__qp_qp_qp_i) pFunQt[458])(QtObj, sourceLine.QtObj, null, 1); } void evaluate(T)(T sourceLine) { (cast(t_v__qp_qp_qp_i) pFunQt[458])(QtObj, sQString(sourceLine).QtObj, null, 1); } } // ================ QQmlEngine ================ class QQmlEngine : QJSEngine { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[457])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') { setQtObj(cast(QtObjH)adr); setNoDelete(true); } } this(QObject parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[456])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[456])(null)); } } } // ================ QQmlApplicationEngine ================ class QQmlApplicationEngine : QQmlEngine { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[452])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') { setQtObj(cast(QtObjH)adr); setNoDelete(true); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[451])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[451])(null)); } } /// Загрузить файл qml void load(T: QString)(T nameFile) { (cast(t_v__qp_qp) pFunQt[453])(QtObj, nameFile.QtObj); } void load(T)(T nameFile) { (cast(t_v__qp_qp) pFunQt[453])(QtObj, sQString(to!string(nameFile)).QtObj); } void setContextProperty(T: QString)(T nameProperty, QAction ac) { (cast(t_v__qp_qp_qp) pFunQt[459])(QtObj, nameProperty.QtObj, ac.QtObj); } void setContextProperty(T)(T nameProperty, QAction ac) { (cast(t_v__qp_qp_qp) pFunQt[459])(QtObj, sQString(to!string(nameProperty)).QtObj, ac.QtObj); } } // ================ QScriptEngine ================ class QScriptEngine : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[352])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') { setQtObj(cast(QtObjH)adr); setNoDelete(true); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[351])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[351])(null)); } } /// Конструктор void evaluate(T: QString)(QScriptValue sv, T program, T nameFile = null, int lineNumber = 1) { if(nameFile is null) { (cast(t_v__qp_qp_qp_qp_i) pFunQt[353])(sv.QtObj, QtObj, program.QtObj, (new QString("")).QtObj, lineNumber); } else { (cast(t_v__qp_qp_qp_qp_i) pFunQt[353])(sv.QtObj, QtObj, program.QtObj, nameFile.QtObj, lineNumber); } } void evaluate(T)(QScriptValue sv, T program, T nameFile = null, int lineNumber = 1) { if(nameFile is null) { (cast(t_v__qp_qp_qp_qp_i) pFunQt[353])(sv.QtObj, QtObj, sQString(program).QtObj, (new QString("")).QtObj, lineNumber); } else { (cast(t_v__qp_qp_qp_qp_i) pFunQt[353])(sv.QtObj, QtObj, sQString(program).QtObj, sQString(nameFile).QtObj, lineNumber); } } void newQObject(QScriptValue sv, QObject ob) { (cast(t_v__qp_qp_qp) pFunQt[358])(sv.QtObj, QtObj, ob.QtObj); } void globalObject(QScriptValue sv) { (cast(t_v__qp_qp) pFunQt[359])(sv.QtObj, QtObj); } // Создать в скрипте функцию callFunDlang(nom, ...); void createFunDlang() { (cast(t_v__qp) pFunQt[361])(QtObj); } // Установить "делегат" в массив в ячейку nom void setFunDlang(void* adrObj, void* adrMet, int nom) { (cast(t_v__vp_vp_i) pFunQt[362])(adrObj, adrMet, nom); } } // ================ QScriptValue ================ class QScriptValue : QObject { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[355])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') { setQtObj(cast(QtObjH)adr); setNoDelete(true); } } this(QWidget parent) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[354])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[354])(null)); } } /// Конструктор this(QWidget parent, QString qs) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_qp) pFunQt[365])(parent.QtObj, qs.QtObj)); } else { setQtObj((cast(t_qp__qp_qp) pFunQt[365])(null, qs.QtObj)); } } /// Конструктор this(QWidget parent, string str) { QString qs = new QString(str); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_qp) pFunQt[365])(parent.QtObj, qs.QtObj)); } else { setQtObj((cast(t_qp__qp_qp) pFunQt[365])(null, qs.QtObj)); } } /// Конструктор this(QWidget parent, int n) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_i) pFunQt[366])(parent.QtObj, n)); } else { setQtObj((cast(t_qp__qp_i) pFunQt[366])(null, n)); } } /// Конструктор this(QWidget parent, bool b) { if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp_b) pFunQt[367])(parent.QtObj, b)); } else { setQtObj((cast(t_qp__qp_b) pFunQt[367])(null, b)); } } /// Конструктор int toInt32() { return (cast(t_i__qp)pFunQt[356])(QtObj); } T toString(T: QString)() { //-> QString qs = new QString(); (cast(t_v__qp_qp)pFunQt[357])(QtObj, qs.QtObj); return qs; } /// Выдать содержимое в QString T toString(T: string)() { //-> return to!string(toString!QString().String); } /// Выдать всё содержимое в String T toString(T)() { //-> return to!T(toString!QString().String); } /// Выдать всё содержимое в String void setProperty(QScriptValue ob, string name) { (cast(t_v__qp_qp_qp) pFunQt[360])(QtObj, ob.QtObj, sQString(name).QtObj); } } // ================ QScriptContext ================ class QScriptContext : QObject { this(){} this(char ch, void* adr) { if(ch == '+') { setQtObj(cast(QtObjH)adr); setNoDelete(true); } } int argumentCount() { return (cast(t_i__qp)pFunQt[363])(QtObj); } QScriptValue argument(int nom, QScriptValue sv) { (cast(t_i__qp_qp_i)pFunQt[364])(QtObj, sv.QtObj, nom); return sv; } } // ---- автор Олег Бахарев 2016 -- https://vk.com/vk_dlang Роберт Брайтс-Грей ---- // // Код включает набор классов для продвинутой работы с графикой: черепашья графика, // математическая графика и L-системы. // // -------------------------------------------------------------------------------- private { import std.algorithm; import std.math; import std.meta : allSatisfy; import std.random; import std.range; import std.string; import std.traits : isIntegral, isFloatingPoint, Unqual; import qte5; // все ли типы арифметические ? template allArithmetic(T...) if (T.length >= 1) { template isNumberType(T) { enum bool isNumberType = isIntegral!(Unqual!T) || isFloatingPoint!(Unqual!T); } enum bool allArithmetic = allSatisfy!(isNumberType, T); } // добавление автоматически типизированного свойства template addTypedGetter(string propertyVariableName, string propertyName) { import std.string : format; enum string addTypedGetter = format( ` @property { T %2$s(T)() const { alias typeof(return) returnType; return cast(returnType) %1$s; } }`, propertyVariableName, propertyName ); } } template QtE5EntryPoint(alias mainFormName) { import std.string : format; enum QtE5EntryPoint = format( ` import core.runtime; import std.stdio; auto QtEDebugInfo(bool debugFlag) { if (LoadQt(dll.QtE5Widgets, debugFlag)) { return 1; } else { return 0; } } int main(string[] args) { %1$s mainForm; QtEDebugInfo(true); QApplication app = new QApplication(&Runtime.cArgs.argc, Runtime.cArgs.argv, 1); with (mainForm = new %1$s(null, QtE.WindowType.Window)) { show; saveThis(&mainForm); } return app.exec; } `, mainFormName.stringof ); } class QLagrangeInterpolator { private { float[] xs_Floats; float[] ys_Floats; float basePolynom(float x, size_t N) { float product = 1.0f; for (size_t i = 0; i < xs_Floats.length; i++) { if (i != N) { product *= (x - xs_Floats[i]) / (xs_Floats[N] - xs_Floats[i]); } } return product; } } public { this(QPoint[] points...) { foreach (point; points) { xs_Floats ~= point.x; ys_Floats ~= point.y; } } QPoint interpolate(QPoint point) { float sum = 0.0f; for (size_t i = 0; i < ys_Floats.length; i++) { sum += ys_Floats[i] * basePolynom(point.x, i); } return new QPoint(point.x, cast(int) sum); } QPoint[] interval(int a, int b, int step = 1) { QPoint[] points; for (int x = a; x < b; x += step) { points ~= interpolate(new QPoint(x, 0)); } return points; } } } /* Класс математической графики QMathGraphics Пример применения: // Задание цвета QColor color = new QColor; color.setRgb(0, 250, 120, 200); // Создаем объект класса, помещая в него QPainter и объект нужного цвета QMathGraphics maths = new QMathGraphics(painter, color); auto x = iota(-250, 350, 0.1); // рисование дискретной последовательности maths.drawDiscrete(x, x); // рисование некоторой функции f maths.drawFunctional!f(x); // параметрическое рисование: в качестве параметров функции g, h maths.drawParametrical!(g, h)(iota(0, 360, 0.1)); // рисование некоторой функции t в полярных координатах (угол в радианах) maths.drawPolarInRadians!t(iota(0, 360, 0.1)); // рисование некоторой функции t в полярных координатах (угол в градусах) maths.drawPolarInDegrees!t(iota(0, 360, 0.1)); // рисование точки maths.drawPoint(400, 409.123); // рисование линии методом DDA maths.drawDDALine(400, 400, 506.2, 109.0); // рисование окружности maths.drawCircle(600, 600, 20); // рисование конического сечения maths.drawConicSection(10, 10, 20, 0.6); // рисование прямоугольника maths.drawRectangle(410, 410, 20, 50); // рисование заполненной окружности maths.drawFilledCircle(520, 520, 60); // установка цвета maths.setColor(color); // рисование заполненного прямоугольника maths.drawFilledRectangle(650, 650, 50, 50); */ class QMathGraphics { private { QPainter painter; QColor color; // Отрисовка любых числовых последовательностей // Аргументы: first - первый диапазон, second - второй диапазон auto drawTwoRanges(First, Second)(First first, Second second) if (allArithmetic!(ElementType!First, ElementType!Second)) { assert(!first.empty); assert(!second.empty); QPen pen = new QPen; pen.setColor(color); painter.setPen(pen); foreach (xy; zip(first, second)) { painter.drawPoint(cast(int) xy[0], cast(int) xy[1]); } } } this(QPainter painter, QColor color) { this.painter = painter; this.color = color; } // установка цвета auto setColor(QColor color) { QPen pen = new QPen; pen.setColor(color); painter.setPen(pen); } // рисование последовательностей alias drawDiscrete = drawTwoRanges; // график некоторой функции на непрерывном диапазоне auto drawFunctional(alias Functional, Range)(Range r) if (isInputRange!(Unqual!Range) && allArithmetic!(ElementType!Range)) { assert(!r.empty); auto ys = map!(a => Functional(a))(r); drawTwoRanges(r, ys); } // график параметрической функции auto drawParametrical(alias FunctionalX, alias FunctionalY, Range)(Range r) if (isInputRange!(Unqual!Range) && allArithmetic!(ElementType!Range)) { auto xs = map!(a => FunctionalX(a))(r); auto ys = map!(a => FunctionalY(a))(r); drawTwoRanges(xs, ys); } // рисование функции в полярных координатах (углы в градусах) auto drawPolarInDegrees(alias Functional, Range)(Range r) if (isInputRange!(Unqual!Range) && allArithmetic!(ElementType!Range)) { assert(!r.empty); auto phi = map!(a => a * (PI / 180.0))(r).array; auto xs = map!(a => Functional(a) * cos(a))(phi); auto ys = map!(a => Functional(a) * sin(a))(phi); drawTwoRanges(xs, ys); } // рисование функции в полярных координатах (углы в радианах) auto drawPolarInRadians(alias Functional, Range)(Range r) if (isInputRange!(Unqual!Range) && allArithmetic!(ElementType!Range)) { assert(!r.empty); auto xs = map!(a => Functional(a) * cos(a))(r); auto ys = map!(a => Functional(a) * sin(a))(r); drawTwoRanges(xs, ys); } // рисование точки auto drawPoint(T, S)(T x, S y) if (allArithmetic!(T, S)) { painter.drawPoint(cast(int) x, cast(int) y); } // рисование линии с помощью цифрового дифференциального анализатора auto drawDDALine(T, U, V, W)(T x1, U y1, V x2, W y2) if (allArithmetic!(T, U, V, W)) { auto X1 = cast(float) x1; auto Y1 = cast(float) y1; auto X2 = cast(float) x2; auto Y2 = cast(float) y2; auto deltaX = abs(X1 - X2); auto deltaY = abs(Y1 - Y2); auto L = max(deltaX, deltaY); if (L == 0) { painter.drawPoint(cast(int) x1, cast(int) y1); } auto dx = (X2 - X1) / L; auto dy = (Y2 - Y1) / L; float x = X1; float y = Y1; L++; while(L--) { x += dx; y += dy; painter.drawPoint(cast(int) x, cast(int) y); } } // рисование окружности void drawCircle(T, U, V)(T x, U y, V r) if (allArithmetic!(T, U, V)) { assert (r >= 0); auto a = cast(float) x; auto b = cast(float) y; auto c = cast(float) r; for (float i = 0.0; i < 360.0; i += 0.01) { auto X = cast(int) (a + c * cos(i * PI / 180.0)); auto Y = cast(int) (b + c * sin(i * PI / 180.0)); painter.drawPoint(X, Y); } } // рисование конических сечений void drawConicSection(T, U, V, W)(T x, U y, V l, W e) if (allArithmetic!(T, U, V, W)) { auto a = cast(float) x; auto b = cast(float) y; auto c = cast(float) l; auto d = cast(float) e; for (float i = 0.0; i < 360.0; i += 0.01) { auto r = c / (1.0 - d * cos(i * PI / 180.0)); auto X = cast(int) (a + c * cos(i * PI / 180.0)); auto Y = cast(int) (b + c * sin(i * PI / 180.0)); painter.drawPoint(X, Y); } } // рисование прямоугольника void drawRectangle(T, U, V, W)(T x, U y, V w, W h) if (allArithmetic!(T, U, V, W)) { assert(w >= 0); assert(h >= 0); auto X = cast(int) x; auto Y = cast(int) y; auto WW = cast(int) w; auto HH = cast(int) h; for (int a = 0; a < HH; a++) { painter.drawPoint(X, Y + a); } for (uint b = 0; b < WW; b++) { painter.drawPoint(X + b, Y + HH); } for (uint c = 0; c < HH; c++) { painter.drawPoint(X + WW, Y + c); } for (uint d = 0; d < WW; d++) { painter.drawPoint(X + d, Y); } } // окружность с заливкой void drawFilledCircle(T, U, V)(T x, U y, V r) if (allArithmetic!(T, U, V)) { auto a = cast(float) x; auto b = cast(float) y; auto c = cast(float) r; for (float i = 0.0; i < 360.0; i += 0.01) { for (float j = 0; j < c; j++) { auto X = cast(int) (a + j * cos(i * PI / 180.0)); auto Y = cast(int) (b + j * sin(i * PI / 180.0)); painter.drawPoint(X, Y); } } } // прямоугольник с заливкой void drawFilledRectangle(T, U, V, W)(T x, U y, V w, W h) if (allArithmetic!(T, U, V, W)) { assert(w >= 0); assert(h >= 0); auto X = cast(int) x; auto Y = cast(int) y; auto WW = cast(int) w; auto HH = cast(int) h; for (int i = 0; i < WW; i++) { for (int j = 0; j < HH; j++) { painter.drawPoint(X + i, Y + j); } } } } /* Состояние исполнителя "Черепаха". Пример использования: // Размещаем исполнителя в точке (250; 250) и начальный угол равен 0 QTurtleState turtleState = new QTurtleState(250, 250, (0 * 3.1415926) / 180.0); */ class QTurtleState { private { float x; float y; float angle; } // конструктор, принимающий любые числовые типы this(T, U, V)(T x, U y, V angle) if (allArithmetic!(T, U, V)) { this.x = cast(float) x; this.y = cast(float) y; this.angle = cast(float) angle; } // получение координаты X (метод getX) mixin(addTypedGetter!("x", "getX")); // получение координаты Y (метод getY) mixin(addTypedGetter!("y", "getY")); // получение начального угла (метод getAngle) mixin(addTypedGetter!("angle", "getAngle")); // установка координаты X void setX(T)(T x) if (allArithmetic!T) { this.x = cast(float) x; } // установка координаты Y void setY(T)(T y) if (allArithmetic!T) { this.y = cast(float) y; } // установка начального угла void setAngle(T)(T angle) if (allArithmetic!T) { this.angle = cast(float) angle; } // строковое отображение override string toString() { return format("QTurtleState(%f, %f, %f)", x, y, angle); } } /* Исполнитель "Черепаха". Данный класс позволяет управлять исполнителем и рисовать с его помощью различные кривые. Команды исполнителя: F шаг исполнителя с прорисовкой следа f шаг исполнителя без прорисовки следа + поворот вправо на заданное приращение - поворот влево на заданное приращение ? поворот на случайный угол [ сохранить текущее состояние ] восстановить текущее состояние Пример использования: // установка цвета QColor color = new QColor; color.setRgb(0, 250, 120, 200); // задание начального состояния исполнителя QTurtleState turtleState = new QTurtleState(250, 250, (0 * 3.1415926) / 180.0); // создание объекта исполнителя // входные данные: QPainter, цвет, исходное состояние черепахи, длина шага исполнителя, приращение по углу QTurtle turtle = new QTurtle(painter, color, turtleState, 200, (144 * 3.1415926) / 180.0); // выполнить команды, отданные исполнителю turtle.execute("F+F+F+F+F+"); */ class QTurtle { private { QPainter painter; QColor color; QTurtleState[] stateStack; QTurtleState state; float stepIncrement; float angleIncrement; } // входные данные: QPainter, цвет, исходное состояние черепахи, длина шага исполнителя, приращение по углу this(T, U)(QPainter painter, QColor color, QTurtleState state, T stepIncrement, U angleIncrement) if (allArithmetic!(T, U)) { this.painter = painter; this.color = color; this.state = state; this.stepIncrement = cast(float) stepIncrement; this.angleIncrement = cast(float) angleIncrement; } // шаг вперед с отрисовкой следа QTurtleState drawStep() { float newX, newY; newX = state.getX!float + cos(state.getAngle!float) * stepIncrement; newY = state.getY!float - sin(state.getAngle!float) * stepIncrement; QPen pen = new QPen; pen.setColor(color); painter.setPen(pen); painter.drawLine( cast(int) state.getX!float, cast(int) state.getY!float, cast(int) newX, cast(int) newY ); state.setX(newX); state.setY(newY); return state; } // шаг вперед без отрисовки следа QTurtleState moveStep() { float newX, newY; newX = state.getX!float + cos(state.getAngle!float) * stepIncrement; newY = state.getY!float - sin(state.getAngle!float) * stepIncrement; state.setX(newX); state.setY(newY); return state; } // поворот влево QTurtleState rotateLeft() { float newAngle; newAngle = state.getAngle!float + angleIncrement; state.setAngle(newAngle); return state; } // поворот вправо QTurtleState rotateRight() { float newAngle; newAngle = state.getAngle!float - angleIncrement; state.setAngle(newAngle); return state; } // поворот на случайный угол QTurtleState rotateRandom() { float newAngle; auto rndGenerator = new Random(unpredictableSeed); newAngle = uniform(-2 * PI, 2 * PI, rndGenerator); state.setAngle(newAngle); return state; } // сохранить состояние черепахи QTurtleState saveState() { QTurtleState newState = new QTurtleState( state.getX!float, state.getY!float, state.getAngle!float, ); stateStack ~= newState; return newState; } // восстановить состояние черепахи QTurtleState restoreState() { QTurtleState newState = new QTurtleState( stateStack[$-1].getX!float, stateStack[$-1].getY!float, stateStack[$-1].getAngle!float, ); stateStack = stateStack[0 .. $-1]; state = newState; return newState; } // выполнить команду с помощью черепахи QTurtleState execute(string s) { QTurtleState currentState; for (int i = 0; i < s.length; i++) { switch(s[i]) { case 'F': currentState = drawStep(); break; case 'f': currentState = moveStep(); break; case '+': currentState = rotateRight(); break; case '-': currentState = rotateLeft(); break; case '?': currentState = rotateRandom(); break; case '[': currentState = saveState(); break; case ']': currentState = restoreState(); break; default: break; } } return currentState; } } /* Набор правил для переписывания строки в L-системе. Ключ соответствует строке, которая будет переписываться. Значение соответствует тому, на что ключ будет заменен. Пример использования: QRewritingRules rules = [ "X" : "F[+X][-X]FX", "F" : "FF" ]; */ alias QRewritingRules = string[string]; /* Параметры L-системы Пример использования: // Входные данные: X, Y, начальный угол, длина шага, приращение по углу, количество поколений QLSystemParameters parameters = new QLSystemParameters(350, 700, (90 * 3.1415926) / 180.0, 5, (25.7 * 3.1415926) / 180.0, 6); */ class QLSystemParameters { private { float x; float y; float angle; float stepIncrement; float angleIncrement; ulong numberOfGeneration; } this(R, S, T, U, V, W)(R x, S y, T angle, U stepIncrement, V angleIncrement, W numberOfGeneration) if (allArithmetic!(R, S, T, U, V, W)) { this.x = cast(float) x; this.y = cast(float) y; this.angle = cast(float) angle; this.stepIncrement = cast(float) stepIncrement; this.angleIncrement = cast(float) angleIncrement; this.numberOfGeneration = cast(uint) abs(numberOfGeneration); } // получение координаты X (метод getX) mixin(addTypedGetter!("x", "getX")); // получение координаты Y (метод getY) mixin(addTypedGetter!("y", "getY")); // получение начального угла (метод getInitialAngle) mixin(addTypedGetter!("angle", "getInitialAngle")); // получение длины шага (метод getStep) mixin(addTypedGetter!("stepIncrement", "getStep")); // получение приращения по углу (метод getAngle) mixin(addTypedGetter!("angleIncrement", "getAngle")); // получение количества поколений (метод getGeneration) mixin(addTypedGetter!("numberOfGeneration", "getGeneration")); // установка координаты X void setX(T)(T x) if (allArithmetic!T) { this.x = cast(float) x; } // установка координаты Y void setY(T)(T y) if (allArithmetic!T) { this.y = cast(float) y; } // установка начального угла void setInitialAngle(T)(T angle) if (allArithmetic!T) { this.angle = cast(float) angle; } // установка длины шага void setStep(T)(T angle) if (allArithmetic!T) { this.stepIncrement = cast(float) stepIncrement; } // установка приращения по углу void setAngle(T)(T angle) if (allArithmetic!T) { this.angleIncrement = cast(float) angleIncrement; } // установка количества поколений void setGeneration(T)(T angle) if (allArithmetic!T) { this.numberOfGeneration = cast(uint) numberOfGeneration; } } /* L-система Позволяет генерировать биоморфные формы с помощью задания простых правил. // задание цвета QColor color = new QColor; color.setRgb(0, 250, 120, 200); // параметры L-системы QLSystemParameters parameters = new QLSystemParameters(350, 700, (90 * 3.1415926) / 180.0, 5, (25.7 * 3.1415926) / 180.0, 6); // правила переписывания QRewritingRules rules = [ "X" : "F[+X][-X]FX", "F" : "FF" ]; // создание объекта L-системы // входные данные: QPainter, цвет, параметры L-системы, аксиома, правила переписывания QLSystem lSystem = new QLSystem(painter, color, parameters, "X", rules); lSystem.execute(); */ class QLSystem { private { QPainter painter; QColor color; QLSystemParameters parameters; QRewritingRules rules; string axiom; // процедура переписывания строки string rewrite(string sourceTerm, string termForRewrite, string newTerm) { auto acc = ""; auto search = 0; for (uint i = 0; i < sourceTerm.length; i++) { auto index = indexOf(sourceTerm[search .. search + termForRewrite.length], termForRewrite); if (index != -1) { search += termForRewrite.length; acc ~= newTerm; } else { search++; acc ~= sourceTerm[search-1]; } } return acc; } } this(QPainter painter, QColor color, QLSystemParameters parameters, string axiom, QRewritingRules rules) { this.painter = painter; this.color = color; this.parameters = parameters; this.axiom = axiom; this.rules = rules; } QLSystemParameters execute() { QPen pen = new QPen; pen.setColor(color); painter.setPen(pen); // новое состояние черепахи auto turtleState = new QTurtleState( parameters.getX!float, parameters.getY!float, parameters.getInitialAngle!float ); // новая черепаха auto turtle = new QTurtle(painter, color, turtleState, parameters.getStep!float, parameters.getAngle!float ); // команды L-системы auto lSystemCmd = axiom; // запуск процедуры переписывания for (ulong i = 1; i < parameters.getGeneration!ulong; i++) { foreach (rule; rules.keys) { lSystemCmd = rewrite(lSystemCmd.idup, rule, rules[rule]); } } turtle.execute(lSystemCmd); return parameters; } } // ================ QPixmap ================ class QPixmap: QPaintDevice { this() { typePD = 2; setQtObj((cast(t_qp__v) pFunQt[384])()); } // Обязателен косвенный вызов (баг D) ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[385])(QtObj); setQtObj(null); } } this(int width, int height) { typePD = 2; setQtObj((cast(t_qp__i_i) pFunQt[386])(width, height)); } this(QSize size) { typePD = 2; setQtObj((cast(t_qp__qp) pFunQt[387])(size.QtObj)); } void fill(QColor color = null) { typePD = 2; if(color is null) { (cast(t_v__qp_qp) pFunQt[394])(QtObj, null); } else { (cast(t_v__qp_qp) pFunQt[394])(QtObj, color.QtObj); } } void setMask(QBitmap bm) { (cast(t_v__qp_qp) pFunQt[397])(QtObj, bm.QtObj); } void load(string fileName, string format = "", QtE.ImageConversionFlag flags = QtE.ImageConversionFlag.AutoColor) { typePD = 2; if(format == "") { (cast(t_v__qp_qp_qp_i) pFunQt[388])( QtObj ,sQString(fileName).QtObj ,null ,cast(int)flags ); } else { (cast(t_v__qp_qp_qp_i) pFunQt[388])( QtObj ,sQString(fileName).QtObj ,cast(QtObjH)format.ptr ,cast(int)flags ); } } } // ================ QBitmap ================ class QBitmap: QPixmap { this() { typePD = 2; setQtObj((cast(t_qp__v) pFunQt[392])()); } this(QSize size) { typePD = 2; setQtObj((cast(t_qp__qp) pFunQt[395])(size.QtObj)); } ~this() { del(); } override void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[393])(QtObj); setQtObj(null); } } } // ================ QResource ================ class QResource: QObject { this() { setQtObj((cast(t_qp__v) pFunQt[398])()); } ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[399])(QtObj); setQtObj(null); } } bool registerResource(string rccFileName, string mapRoot = "") { bool rez; if(mapRoot == "") rez = (cast(t_b__qp_qp_qp_i)pFunQt[400])(QtObj, sQString(rccFileName).QtObj, sQString(mapRoot).QtObj, 0); else rez = (cast(t_b__qp_qp_qp_i)pFunQt[400])(QtObj, sQString(rccFileName).QtObj, null, 0); return rez; } bool unregisterResource(string rccFileName, string mapRoot = "") { bool rez; if(mapRoot == "") rez = (cast(t_b__qp_qp_qp_i)pFunQt[400])(QtObj, sQString(rccFileName).QtObj, sQString(mapRoot).QtObj, 1); else rez = (cast(t_b__qp_qp_qp_i)pFunQt[400])(QtObj, sQString(rccFileName).QtObj, null, 1); return rez; } bool registerResource(ubyte* rccData, string mapRoot = "") { bool rez; if(mapRoot == "") rez = (cast(t_b__qp_qp_qp_i)pFunQt[401])(QtObj, cast(QtObjH)rccData, sQString(mapRoot).QtObj, 0); else rez = (cast(t_b__qp_qp_qp_i)pFunQt[401])(QtObj, cast(QtObjH)rccData, null, 0); return rez; } bool unregisterResource(ubyte* rccData, string mapRoot = "") { bool rez; if(mapRoot == "") rez = (cast(t_b__qp_qp_qp_i)pFunQt[401])(QtObj, cast(QtObjH)rccData, sQString(mapRoot).QtObj, 0); else rez = (cast(t_b__qp_qp_qp_i)pFunQt[401])(QtObj, cast(QtObjH)rccData, null, 0); return rez; } } // ============ QStackedWidget ======================================= class QStackedWidget : QFrame { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[403])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent = null) { super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[402])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[402])(null)); } } /// Конструктор int addWidget(QWidget wd) { return (cast(t_i__qp_qp_i) pFunQt[404])(QtObj, wd.QtObj, 0); } @property int count() { //-> Количество сохраненных виджетов return (cast(t_i__qp_qp_i) pFunQt[404])(QtObj, null, 1); } @property int currentIndex() { //-> Индекс -1=нет, 0=1 сохраненный, 1=2 сохраненых return (cast(t_i__qp_qp_i) pFunQt[404])(QtObj, null, 2); } int indexOf(QWidget wd) { return (cast(t_i__qp_qp_i) pFunQt[404])(QtObj, wd.QtObj, 3); } QStackedWidget removeWidget(QWidget wd) { (cast(t_i__qp_qp_i) pFunQt[404])(QtObj, wd.QtObj, 4); return this; } QWidget currentWidget() { QWidget rez = new QWidget('+', (cast(t_qp__qp_i_i) pFunQt[405])(QtObj, 0, 0)); rez.setNoDelete(true); return rez; } QWidget widget(int n) { QWidget rez = new QWidget('+', (cast(t_qp__qp_i_i) pFunQt[405])(QtObj, n, 1)); rez.setNoDelete(true); return rez; } int insertWidget(int index, QWidget wd) { return (cast(t_i__qp_qp_i) pFunQt[406])(QtObj, wd.QtObj, index); } QStackedWidget setCurrentIndex(int index) { (cast(t_qp__qp_i_i) pFunQt[405])(QtObj, index, 2); return this; } QStackedWidget setCurrentWidget(QWidget wd) { (cast(t_i__qp_qp_i) pFunQt[404])(QtObj, wd.QtObj, 5); return this; } } // ============ QWebView ======================================= class QWebView : QWidget { this() { } // Обязателен this(QWidget parent = null) { super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[24])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[24])(null)); } } /// Конструктор ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[25])(QtObj); setQtObj(null); } } void load(QUrl qu) { (cast(t_v__qp_qp) pFunQt[26])(QtObj, qu.QtObj); } } // ============ QWebEngView ======================================= class QWebEngView : QWidget { this() { } // Обязателен this(QWidget parent = null) { super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[446])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[446])(null)); } } /// Конструктор ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[445])(QtObj); setQtObj(null); } } void load(QUrl qu) { (cast(t_v__qp_qp) pFunQt[447])(QtObj, qu.QtObj); } } // ============ QUrl ======================================= class QUrl : QObject { this() { setQtObj((cast(t_qp__v) pFunQt[81])()); } ~this() { del(); } void del() { if(!fNoDelete && (QtObj !is null)) { (cast(t_v__qp)pFunQt[173])(QtObj); setQtObj(null); } } void setUrl(QString* qs) { (cast(t_v__qp_qp) pFunQt[444])(QtObj, qs.QtObj); } void setUrl(T)(T str) { (cast(t_v__qp_qp) pFunQt[444])(QtObj, sQString(str).QtObj); } } // ============ QTabBar ======================================= class QTabBar : QWidget { enum ButtonPosition { LeftSide = 0, RightSide = 1 } enum SelectionBehavior { SelectLeftTab = 0, SelectRightTab = 1, SelectPreviousTab = 2 } enum Shape { RoundedNorth = 0, // The normal rounded look above the pages RoundedSouth = 1, // The normal rounded look below the pages RoundedWest = 2, // The normal rounded look on the left side of the pages RoundedEast = 3, // The normal rounded look on the right side the pages TriangularNorth = 4, // Triangular tabs above the pages. TriangularSouth = 5, // Triangular tabs similar to those used in the Excel spreadsheet, for example TriangularWest = 6, // Triangular tabs on the left of the pages. TriangularEast = 7 // Triangular tabs on the right of the pages. } this() { /* msgbox( "new QTabBar(); -- " ~ mesNoThisWitoutPar ); */ } // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[408])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent = null) { super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[407])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[407])(null)); } } /// Конструктор @property int count() { //-> Количество сохраненных виджетов return (cast(t_i__qp_i) pFunQt[409])(QtObj, 1); } @property int currentIndex() { //-> Индекс -1=нет, 0=1 сохраненный, 1=2 сохраненых return (cast(t_i__qp_i) pFunQt[409])(QtObj, 0); } int addTab(T: QString)(T str) { //-> return (cast(t_i__qp_qp) pFunQt[410])(QtObj, str.QtObj); } int addTab(T)(T str) { //-> return (cast(t_i__qp_qp) pFunQt[410])(QtObj, sQString(str).QtObj); } int addTab(T0: QIcon, T: QString)(T0 icon, T str) { //-> return (cast(t_i__qp_qp_qp) pFunQt[413])(QtObj, str.QtObj, icon.QtObj); } int addTab(T0: QIcon, T)(T0 icon, T str) { //-> return (cast(t_i__qp_qp_qp) pFunQt[413])(QtObj, (new QString(to!string(str))).QtObj, icon.QtObj); } int insertTab(T: QString)(int index, T str) { //-> return (cast(t_i__qp_qp_qp_i_i) pFunQt[416])(QtObj, str.QtObj, null, index, 0); } int insertTab(T)(int index, T str) { //-> return insertTab(index, (new QString(to!string(str)))); } int insertTab(T0: QIcon, T: QString)(int index, T0 icon, T str) { //-> return (cast(t_i__qp_qp_qp_i_i) pFunQt[416])(QtObj, str.QtObj, icon.QtObj, index, 1); } int insertTab(T0: QIcon, T)(int index, T0 icon, T str) { //-> return insertTab(index, icon, (new QString(to!string(str)))); } T tabText(T: QString)(int index) { QString qs = new QString(); (cast(t_v__qp_qp_i_i) pFunQt[411])(QtObj, qs.QtObj, index, 0); return qs; } T tabText(T)(int index) { return to!T(tabText!QString(index).String); } T tabToolTip(T: QString)(int index) { QString qs = new QString(); (cast(t_v__qp_qp_i_i) pFunQt[411])(QtObj, qs.QtObj, index, 1); return qs; } T tabToolTip(T)(int index) { return to!T(tabToolTip!QString(index).String); } T tabWhatsThis(T: QString)(int index) { QString qs = new QString(); (cast(t_v__qp_qp_i_i) pFunQt[411])(QtObj, qs.QtObj, index, 2); return qs; } T tabWhatsThis(T)(int index) { return to!T(tabWhatsThis!QString(index).String); } T accessibleDescription(T: QString)() { QString qs = new QString(); (cast(t_v__qp_qp_i_i) pFunQt[411])(QtObj, qs.QtObj, 0, 3); return qs; } T accessibleDescription(T)() { return to!T(accessibleDescription!QString(index).String); } T accessibleName(T: QString)() { QString qs = new QString(); (cast(t_v__qp_qp_i_i) pFunQt[411])(QtObj, qs.QtObj, 0, 3); return qs; } T accessibleName(T)() { return to!T(accessibleName!QString(index).String); } @property bool autoHide() { return (cast(t_b__qp_i_i) pFunQt[412])(QtObj, 0, 0); } @property bool changeCurrentOnDrag() { return (cast(t_b__qp_i_i) pFunQt[412])(QtObj, 0, 1); } @property bool documentMode() { return (cast(t_b__qp_i_i) pFunQt[412])(QtObj, 0, 2); } @property bool drawBase() { return (cast(t_b__qp_i_i) pFunQt[412])(QtObj, 0, 3); } @property bool expanding() { return (cast(t_b__qp_i_i) pFunQt[412])(QtObj, 0, 4); } @property bool isMovable() { return (cast(t_b__qp_i_i) pFunQt[412])(QtObj, 0, 5); } @property bool isTabEnabled(int index) { return (cast(t_b__qp_i_i) pFunQt[412])(QtObj, index, 6); } @property bool tabsClosable() { return (cast(t_b__qp_i_i) pFunQt[412])(QtObj, 0, 7); } @property bool usesScrollButtons() { return (cast(t_b__qp_i_i) pFunQt[412])(QtObj, 0, 8); } QtE.TextElideMode elideMode() { //-> С какой стороны скроются вкдадки, при недостатке места return cast(QtE.TextElideMode)((cast(t_i__qp) pFunQt[414])(QtObj)); } QSize iconSize() { QSize isize = new QSize(0,0); (cast(t_v__qp_qp) pFunQt[415])(QtObj, isize.QtObj); return isize; } QTabBar moveTab(int from, int to) { (cast(t_v__qp_i_i_i) pFunQt[417])(QtObj, from, to, 0); return this; } QTabBar removeTab(int index) { (cast(t_v__qp_i_i_i) pFunQt[417])(QtObj, index, 0, 1); return this; } QTabBar setCurrentIndex(int index) { (cast(t_v__qp_i_i_i) pFunQt[417])(QtObj, index, 0, 2); return this; } SelectionBehavior selectionBehaviorOnRemove() { return cast(SelectionBehavior)(cast(t_i__qp) pFunQt[418])(QtObj); } QTabBar setAutoHide(bool hide) { (cast(t_v__qp_b_i) pFunQt[419])(QtObj, hide, 0); return this; } QTabBar setChangeCurrentOnDrag(bool change) { (cast(t_v__qp_b_i) pFunQt[419])(QtObj, change, 1); return this; } QTabBar setDocumentMode(bool set) { (cast(t_v__qp_b_i) pFunQt[419])(QtObj, set, 2); return this; } QTabBar setDrawBase(bool drawTheBase) { (cast(t_v__qp_b_i) pFunQt[419])(QtObj, drawTheBase, 3); return this; } QTabBar setExpanding(bool enabled) { (cast(t_v__qp_b_i) pFunQt[419])(QtObj, enabled, 4); return this; } QTabBar setMovable(bool movable) { (cast(t_v__qp_b_i) pFunQt[419])(QtObj, movable, 5); return this; } QTabBar setTabsClosable(bool closable) { (cast(t_v__qp_b_i) pFunQt[419])(QtObj, closable, 6); return this; } QTabBar setUsesScrollButtons(bool useButtons) { (cast(t_v__qp_b_i) pFunQt[419])(QtObj, useButtons, 7); return this; } QTabBar setElideMode(QtE.TextElideMode mode) { (cast(t_v__qp_i) pFunQt[420])(QtObj, mode); return this; } QTabBar setIconSize(QSize size) { (cast(t_v__qp_qp) pFunQt[421])(QtObj, size.QtObj); return this; } QTabBar setShape(QTabBar.Shape shape) { (cast(t_v__qp_i) pFunQt[422])(QtObj, shape); return this; } QTabBar setTabEnabled(int index, bool enabled) { (cast(t_v__qp_b_i) pFunQt[423])(QtObj, enabled, index); return this; } QTabBar setTabIcon(int index, QIcon icon) { (cast(t_v__qp_qp_i_i) pFunQt[424])(QtObj, icon.QtObj, index, 0); return this; } QTabBar setTabText(T: QString)(int index, T text) { (cast(t_v__qp_qp_i_i) pFunQt[424])(QtObj, text.QtObj, index, 1); return this; } QTabBar setTabText(T: string)(int index, T text) { return setTabText(index, (new QString(to!string(text)))); } QTabBar setTabTextColor(int index, QColor color) { (cast(t_v__qp_qp_i_i) pFunQt[424])(QtObj, color.QtObj, index, 2); return this; } QTabBar setTabToolTip(T: QString)(int index, T text) { (cast(t_v__qp_qp_i_i) pFunQt[424])(QtObj, text.QtObj, index, 3); return this; } QTabBar setTabToolTip(T: string)(int index, T text) { return setTabToolTip(index, (new QString(to!string(text)))); } QTabBar setTabWhatsThis(T: QString)(int index, T text) { (cast(t_v__qp_qp_i_i) pFunQt[424])(QtObj, text.QtObj, index, 4); return this; } QTabBar setTabWhatsThis(T: string)(int index, T text) { return setTabWhatsThis(index, (new QString(to!string(text)))); } QTabBar setTabData(int index, void* uk) { (cast(t_v__qp_qp_i) pFunQt[429])(QtObj, cast(QtObjH)uk, index); return this; } void* tabData(int index) { return cast(void*)((cast(t_qp__qp_i) pFunQt[430])(QtObj, index)); } } // ============ QScintilla =========================================== class QScintilla : QWidget { //! Этот перечисление определяет различные стили автоиндентификации. enum lineIdent { //! Линия автоматически сгибается в соответствии с предыдущей линией. AiMaintain = 0x01, // Если язык, поддерживаемый текущим лексиконом, имеет специфический старт // блочного символа (например, '{' в Си++), затем строка, начинающаяся с // что символ имеет отступы, а также линии, из которых состоят блок. // Логически это может быть логически связано с закрытием AiClosing. AiOpening = 0x02, //! If the language supported by the current lexer has a specific end //! of block character (e.g. } in C++), then a line that begins with //! that character is indented as well as the lines that make up the //! block. It may be logically ored with AiOpening. AiClosing = 0x04 } //! Этот список определяет различные стили отображения аннотаций. enum AnnotationDisplay { //! Аннотации не отображаются. AnnotationHidden, //! Примечания нарисованы слева, без украшения AnnotationStandard, //! Аннотации окружены рамкой. AnnotationBoxed, //! Аннотации снабжены отступом в соответствии с текстом AnnotationIndented } enum MarkerSymbol { Circle = 0, // Кпуг. Rectangle = 1, // Квадрат. RightTriangle = 2, // Треугольник вправо. SmallRectangle = 3, // Прямоугольник поменьше. RightArrow = 4, // Стрелка указывающая направо Invisible = 5, // Невидимый маркер, позволяющий коду отслеживать движение линий DownTriangle = 6, // Треугольник напрвленный вниз Minus = 7, // SC_MARK_MINUS, Plus = 8, // A drawn plus sign. VerticalLine = 9, // Вертикальная линия, нарисованная цветом фона BottomLeftCorner = 10, // Нижний левый угол, нарисованный фоновым цветом LeftSideSplitter = 11, // Вертикальная линия с центральной правой горизонтальной линией, нарисованной справа BoxedPlus = 12, // Нарисованный знак плюс в квадрате BoxedPlusConnected = 13, // Нарисованный знак плюс в подключенной коробке BoxedMinus = 14, // A drawn minus sign in a box. BoxedMinusConnected = 15, // Нарисованный знак минус в подключенной коробке RoundedBottomLeftCorner = 16, // Закругленный левый нижний угол, нарисованный фоновым цветом. LeftSideRoundedSplitter = 17, // Вертикальная линия с центральной правой изогнутой линией, нарисованной в фоновый цвет CircledPlus = 18, // Нарисованный знак плюс в виде круга //! A drawn plus sign in a connected box. CircledPlusConnected = 19, //! A drawn minus sign in a circle. CircledMinus = 20, //! A drawn minus sign in a connected circle. CircledMinusConnected = 21, //! No symbol is drawn but the line is drawn with the same background //! color as the marker's. Background = 22, ThreeDots = 23, // Три нарисованные точки //! Three drawn arrows pointing right. ThreeRightArrows = 24, //! A full rectangle (ie. the margin background) using the marker's //! background color. FullRectangle = 25, //! A left rectangle (ie. the left part of the margin background) using //! the marker's background color. LeftRectangle = 26, //! No symbol is drawn but the line is drawn underlined using the //! marker's background color. Underline = 27, // Цвет фона маркера Bookmark = 28 // Закладка }; this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[601])(QtObj); setQtObj(null); } } this(QWidget parent, QtE.WindowType fl = QtE.WindowType.Widget) { super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[600])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[600])(null)); } } /// Конструктор // Установить цвет основного шрифта в окне редактора void setColor( QColor color ) { (cast(t_v__qp_qp)pFunQt[602])( QtObj, color.QtObj ); } // Вернуть цвет основного шрафта QColor color() { return new QColor('+', (cast(t_qp__qp) pFunQt[605])(QtObj) ); } // 603 bool overwriteMode() { return (cast(t_b__qp)pFunQt[603])( QtObj ); } // 604 void setOverwriteMode(bool mode) {(cast(t_v__qp_b)pFunQt[604])( QtObj, mode );} // 606 Установить цвет foreground (paper) void setPaper( QColor color ) {(cast(t_v__qp_qp)pFunQt[606])( QtObj, color.QtObj );} // 607 // Вернуть цвет foreground (paper) QColor paper() {return new QColor('+', (cast(t_qp__qp) pFunQt[607])(QtObj) );} // 608 void setFontEdit(QFont font) {(cast(t_v__qp_qp)pFunQt[608])( QtObj, font.QtObj );} // 609 void setAutoIndent(bool mode) {(cast(t_v__qp_b)pFunQt[609])( QtObj, mode );} // 610 bool isReadOnly() { return (cast(t_b__qp)pFunQt[610])( QtObj );} // 611 void setReadOnly(bool ro) {(cast(t_v__qp_b)pFunQt[611])( QtObj, ro );} // 612 Ширина скрытого столбца номер его void setMarginWidth(int margin, int width) {(cast(t_v__qp_i_i)pFunQt[612])( QtObj, margin, width ); } // 613 Установить маску на отоброжение столбца void setMarginMarkerMask(int margin, int mask) {(cast(t_v__qp_i_i)pFunQt[613])( QtObj, margin, mask ); } // 614 тип маркера отображаемого в столбце nm int markerDefine(MarkerSymbol ms, int nomKol) { return (cast(t_i__qp_i_i)pFunQt[614])( QtObj, ms, nomKol ); } // 615 Добавить маркер на строку в колонку int markerAdd(int liner, int marerNum) { return (cast(t_i__qp_i_i)pFunQt[615])( QtObj, liner, marerNum ); } } // ============ QCalendarWidget ======================================= class QCalendarWidget : QWidget { this() {} // Обязателен ~this() { del(); } // Косвенный вызов деструк C++ обязателен override void del() { if(!fNoDelete && (QtObj != null)) { (cast(t_v__qp) pFunQt[465])(QtObj); setQtObj(null); } } this(char ch, void* adr) { if(ch == '+') setQtObj(cast(QtObjH)adr); } this(QWidget parent, QtE.WindowType fl = QtE.WindowType.Widget) { super(); if (parent) { setNoDelete(true); setQtObj((cast(t_qp__qp) pFunQt[464])(parent.QtObj)); } else { setQtObj((cast(t_qp__qp) pFunQt[464])(null)); } } /// Конструктор QDate selectedDate() { QDate tkd = new QDate(); (cast(t_qp__qp_qp) pFunQt[466])(QtObj, tkd.QtObj); return tkd; } @property bool isDateEditEnabled() { return (cast(t_b__qp_i) pFunQt[471])(QtObj, 0); } @property bool isGridVisible() { return (cast(t_b__qp_i) pFunQt[471])(QtObj, 1); } @property bool isNavigationBarVisible() { return (cast(t_b__qp_i) pFunQt[471])(QtObj, 2); } QCalendarWidget setGridVisible(bool b) { (cast(t_v__qp_b_i) pFunQt[472])(QtObj, b, 0); return this; } QCalendarWidget setNavigationBarVisible(bool b) { (cast(t_v__qp_b_i) pFunQt[472])(QtObj, b, 1); return this; } QCalendarWidget showNextMonth() { (cast(t_v__qp_b_i) pFunQt[472])(QtObj, true, 2); return this; } QCalendarWidget showNextYear() {(cast(t_v__qp_b_i) pFunQt[472])(QtObj, true, 3); return this; } QCalendarWidget showPreviousMonth() { (cast(t_v__qp_b_i) pFunQt[472])(QtObj, true, 4); return this; } QCalendarWidget showPreviousYear() { (cast(t_v__qp_b_i) pFunQt[472])(QtObj, true, 5); return this; } QCalendarWidget showSelectedDate() { (cast(t_v__qp_b_i) pFunQt[472])(QtObj, true, 6); return this; } QCalendarWidget showToday() { (cast(t_v__qp_b_i) pFunQt[472])(QtObj, true, 7); return this; } QCalendarWidget setDateEditAcceptDelay(bool b) {(cast(t_v__qp_b_i) pFunQt[472])(QtObj, b, 8); return this; } QCalendarWidget setDateEditEnabled(bool b) { (cast(t_v__qp_b_i) pFunQt[472])(QtObj, b, 9); return this; } } // ============ QTranslator ======================================= class QTranslator : QObject { this(){} ~this() { (cast(t_v__qp) pFunQt[468])(QtObj); } this(QWidget parent) { // Only null !!! super(); setQtObj((cast(t_qp__v) pFunQt[467])()); } bool load(T: QString)(T str) { //-> Загрузить файл локализации return (cast(t_b__qp_qp) pFunQt[469])(QtObj, str.QtObj); } bool load(T)(T str) { //-> Загрузить файл локализации return (cast(t_b__qp_qp) pFunQt[469])(QtObj, sQString(str).QtObj); } } // ================ QTextCodec ================== /++ Преобразование в - из кодовых страниц в unicod +/ class QTextCodec : QObject { this(){} this(string strNameCodec) { setQtObj((cast(t_qp__qp)pFunQt[448])(cast(QtObjH)strNameCodec.ptr)); } QString toUnicode(string str, QString qstr) { (cast(t_v__qp_qp_qp) pFunQt[449])(QtObj, qstr.QtObj, cast(QtObjH)str.ptr); return qstr; } char* fromUnicode(char* str, QString qstr) { (cast(t_v__qp_qp_qp) pFunQt[450])(QtObj, qstr.QtObj, cast(QtObjH)str); return str; } } /* string toStringD() { return to!string(cast(char*) data()); } /// Convert QByteArray --> strinng Dlang bool arrIsEquals(QByteArray ab) { return (cast(t_bool__vp_vp) pFunQt4[140])(QtObj, ab.QtObj); } // Забить массив символом ch и если указан resize изменить размер void* fill(char ch, int resize = -1) { return (cast(t_vp__vp_c_i) pFunQt4[143])(QtObj, ch, resize); } // Создать массив из сырых байтов без NULL в конце из s размером n void* fromRawData(char* s, int n) { return (cast(t_vp__vp_cp_i) pFunQt4[144])(QtObj, s, n); } // Искать позицию вхождения подстроки в массиве int indexOf(QByteArray str, int poz = 0) { return (cast(t_i__vp_vp_vp) pFunQt4[145])(QtObj, str.QtObj, cast(void*) poz); } // Искать позицию вхождения подстроки в массиве int indexOf(char* str, int poz = 0) { return (cast(t_i__vp_vp_vp) pFunQt4[146])(QtObj, cast(void*) str, cast(void*) poz); } // Искать позицию вхождения подстроки в массиве int indexOf(char ch, int poz = 0) { return (cast(t_i__vp_vp_vp) pFunQt4[147])(QtObj, cast(void*) ch, cast(void*) poz); } void* operator1(QByteArray mas) { return (cast(t_vp__vp_vp) pFunQt4[148])(QtObj, mas.QtObj); } // Вынимает левые n байт и запихивает их в QByteArray arr void* left(QByteArray arr, int n) { return (cast(t_vp__vp_vp_i) pFunQt4[149])(QtObj, arr.QtObj, n); } /// Вынимает левые n байт и запихивает их в QByteArray arr void clear() { (cast(t_v__vp) pFunQt4[153])(QtObj); } /// Очищает массив и сбрасывает его длину в 0 void resize(int rez) { (cast(t_v__vp_i) pFunQt4[156])(QtObj, rez); } /// Очищает массив и сбрасывает его длину в 0 void* mid(QByteArray arr, int pos, int len = -1) { return (cast(t_vp__vp_vp_i_i) pFunQt4[150])(QtObj, arr.QtObj, pos, len); } /// Вынимает левые len байт с позиции pos и запихивает их в QByteArray arr void* prepend(char* str) { return (cast(t_vp__vp_vp) pFunQt4[237])(QtObj, str); } /// дописывает строку в начало void* prepend(string strD) { return (cast(t_vp__vp_vp) pFunQt4[237])(QtObj, cast(char*) strD.ptr); } /// дописывает строку в начало void* prepend(char s) { return (cast(t_vp__vp_i) pFunQt4[239])(QtObj, cast(int) s); } /// дописывает char в начало void* append(char* str, int len) { return (cast(t_vp__vp_vp_i) pFunQt4[151])(QtObj, str, len); } /// дописывает строку длиной n в конец void* append(char* str) { return (cast(t_vp__vp_vp) pFunQt4[152])(QtObj, str); } /// дописывает строку в конец void* append(char s) { return (cast(t_vp__vp_i) pFunQt4[154])(QtObj, cast(int) s); } /// дописывает char в конец void* append(QByteArray arr) { return (cast(t_vp__vp_vp) pFunQt4[155])(QtObj, arr.QtObj); } /// дописывает QByteArray void* append(string strD) { return (cast(t_vp__vp_vp) pFunQt4[152])(QtObj, cast(char*) strD.ptr); } /// дописывает stringD в конец void* remove(int pos, int len) { return (cast(t_vp__vp_i_i) pFunQt4[157])(QtObj, pos, len); } /// дописывает char в конец int toInt(bool* b = null, int base = 10) { return (cast(t_i__vp_vbool_i) pFunQt4[158])(QtObj, b, base); } void add0() { int dl = size(); append('\0'); resize(dl); } /// Дописать в конец масива 0 void opAssign(void* mas) { (cast(t_vp__vp_vp) pFunQt4[148])(QtObj, mas); } // Brrrrrrrr .... override bool opEquals(Object o) { string s_this; string s_o; bool rez; rez = false; s_this = this.toString(); s_o = o.toString(); if (s_this == s_o) { rez = (cast(t_bool__vp_vp) pFunQt4[140])(QtObj, (cast(QByteArray) o).QtObj); } else { // Ещё будем сравнивать с другими типами например char* } writeln("!!!!!!!! ==== opEquals =======!!!!!!!"); writeln(" o = [", o.toString(), "]"); writeln("this = [", this.toString(), "]"); writeln(this, " = ", o); return rez; } /// Перегрузка операторов == и != */ // -------------------- Бахарев Олег ---------------------------- __EOF__ // Пример возврата объекта из С++ и подхвата его в объект D QString proverka(QString qs) { static void* adr; adr = (cast(t_vp__qp) pFunQt[381])(qs.QtObj); return new QString('+', &adr ); } // Пример возврата объекта из С++ extern "C" MSVC_API void* QImage_pixelColor(QImage* qi, int x, int y) { return *((void**)&( Объект_C++ )); } // синтаксический сахар alias ubyte[] arr; // встраивание картинок auto f = cast (arr[]) [ cast(ubyte[]) import(`image0.jpg`), cast(ubyte[]) import(`image1.jpg`), cast(ubyte[]) import(`image2.jpg`), cast(ubyte[]) import(`image3.jpg`), cast(ubyte[]) import(`image4.jpg`), cast(ubyte[]) import(`image5.jpg`), cast(ubyte[]) import(`image6.jpg`), cast(ubyte[]) import(`image7.jpg`), cast(ubyte[]) import(`image8.jpg`), cast(ubyte[]) import(`image9.jpg`), cast(ubyte[]) import(`image10.jpg`), cast(ubyte[]) import(`image11.jpg`), cast(ubyte[]) import(`image12.jpg`), cast(ubyte[]) import(`image13.jpg`), cast(ubyte[]) import(`image14.jpg`), cast(ubyte[]) import(`image15.jpg`), cast(ubyte[]) import(`image16.jpg`), cast(ubyte[]) import(`image17.jpg`) ]; // встраивание музыки ubyte[] mp3data = cast(ubyte[]) import(`this_love.mp3`);
D
/Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Intermediates/server.build/Debug/KituraNet.build/Objects-normal/x86_64/ServerMonitor.o : /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/BufferList.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ClientRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ClientResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ConnectionUpgradeFactory.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ConnectionUpgrader.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Error.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HeadersContainer.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/IncomingSocketHandler.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/IncomingSocketManager.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/IncomingSocketProcessor.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ListenerGroup.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ServerRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ServerResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/SPIUtils.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGI.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIRecordCreate.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIRecordParser.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIServer.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIServerRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIServerResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTP.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTPServer.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTPServerRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTPServerResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/IncomingHTTPSocketProcessor.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/HTTPParser.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/HTTPParserStatus.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/ParseResults.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/URLParser.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/Server.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerDelegate.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerLifecycleListener.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerMonitor.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerState.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Products/Debug/LoggerAPI.framework/Modules/LoggerAPI.swiftmodule/x86_64.swiftmodule /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/CHTTPParser/include/module.modulemap /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Products/Debug/Socket.framework/Modules/Socket.swiftmodule/x86_64.swiftmodule /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Products/Debug/SSLService.framework/Modules/SSLService.swiftmodule/x86_64.swiftmodule /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/CHTTPParser/include/utils.h /Users/lizziesiegle/Desktop/server/Packages/CCurl-0.2.3/module.modulemap /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/CHTTPParser/include/http_parser.h /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Intermediates/server.build/Debug/KituraNet.build/Objects-normal/x86_64/ServerMonitor~partial.swiftmodule : /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/BufferList.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ClientRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ClientResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ConnectionUpgradeFactory.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ConnectionUpgrader.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Error.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HeadersContainer.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/IncomingSocketHandler.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/IncomingSocketManager.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/IncomingSocketProcessor.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ListenerGroup.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ServerRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ServerResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/SPIUtils.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGI.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIRecordCreate.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIRecordParser.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIServer.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIServerRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIServerResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTP.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTPServer.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTPServerRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTPServerResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/IncomingHTTPSocketProcessor.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/HTTPParser.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/HTTPParserStatus.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/ParseResults.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/URLParser.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/Server.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerDelegate.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerLifecycleListener.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerMonitor.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerState.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Products/Debug/LoggerAPI.framework/Modules/LoggerAPI.swiftmodule/x86_64.swiftmodule /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/CHTTPParser/include/module.modulemap /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Products/Debug/Socket.framework/Modules/Socket.swiftmodule/x86_64.swiftmodule /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Products/Debug/SSLService.framework/Modules/SSLService.swiftmodule/x86_64.swiftmodule /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/CHTTPParser/include/utils.h /Users/lizziesiegle/Desktop/server/Packages/CCurl-0.2.3/module.modulemap /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/CHTTPParser/include/http_parser.h /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Intermediates/server.build/Debug/KituraNet.build/Objects-normal/x86_64/ServerMonitor~partial.swiftdoc : /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/BufferList.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ClientRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ClientResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ConnectionUpgradeFactory.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ConnectionUpgrader.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Error.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HeadersContainer.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/IncomingSocketHandler.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/IncomingSocketManager.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/IncomingSocketProcessor.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ListenerGroup.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ServerRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/ServerResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/SPIUtils.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGI.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIRecordCreate.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIRecordParser.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIServer.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIServerRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/FastCGI/FastCGIServerResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTP.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTPServer.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTPServerRequest.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/HTTPServerResponse.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTP/IncomingHTTPSocketProcessor.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/HTTPParser.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/HTTPParserStatus.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/ParseResults.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/HTTPParser/URLParser.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/Server.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerDelegate.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerLifecycleListener.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerMonitor.swift /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/KituraNet/Server/ServerState.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Products/Debug/LoggerAPI.framework/Modules/LoggerAPI.swiftmodule/x86_64.swiftmodule /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/CHTTPParser/include/module.modulemap /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Products/Debug/Socket.framework/Modules/Socket.swiftmodule/x86_64.swiftmodule /Users/lizziesiegle/Desktop/server/DerivedData/server/Build/Products/Debug/SSLService.framework/Modules/SSLService.swiftmodule/x86_64.swiftmodule /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/CHTTPParser/include/utils.h /Users/lizziesiegle/Desktop/server/Packages/CCurl-0.2.3/module.modulemap /Users/lizziesiegle/Desktop/server/Packages/Kitura-net-1.6.2/Sources/CHTTPParser/include/http_parser.h
D
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM WT ROCKTYPE 298.399994 61.7000008 5.9000001 0 58 62 -19.6000004 116.099998 141 3.29999995 8 0.9025 sediments, sandstones, siltstones 310.200012 40.5999985 4.69999981 120.900002 56 59 -33.2000008 151.100006 241 8.60000038 8.60000038 0.868686869 extrusives 306.399994 74.1999969 4.30000019 0 52 55 -31.8999996 151.300003 8785 5.9000001 5.9000001 0.922851562 extrusives, basalts 333.200012 64.6999969 6.5999999 0 52 55 -31.8999996 151.300003 8786 10.3000002 11.6999998 0.428571429 extrusives, basalts 225.800003 43.9000015 7.5999999 145.5 71 89 -9.69999981 119.599998 7799 4.9000001 8.69999981 0.730263158 sediments 219.300003 -4.19999981 9.39999962 22.3999996 56 65 -10 121 7800 4.9000001 9.60000038 0.909975669 extrusives, basalts, andesites 321.100006 59.7999992 1.29999995 137.5 65 90 -43.5 146.800003 1350 2.4000001 2.5 0.489583333 sediments, limestones -65.400002 61.2999992 1.39999998 297 50 70 -31.6000004 145.600006 9339 2.20000005 2.20000005 0.777142857 sediments, saprolite 221.899994 42 8.80000019 0 63 75 -9.69999981 119.5 1211 5.30000019 9.69999981 0.472222222 intrusives, granodiorite, andesite dykes 264.399994 75 15.6000004 0 2 65 -8.80000019 126.699997 1206 10.3999996 18 0.444444444 extrusives, intrusives 346 61 9 41.2000008 35 100 -31.3999996 138.600006 1170 13 15 0.841346154 sediments 333 45 9 16.5 35 100 -30.3999996 139.399994 1161 17 18 0.902777778 sediments, tillite 317 57 5 200 35 100 -30.5 139.300003 1165 9 10 0.742857143 sediments, redbeds 329 58 25 4.0999999 35 100 -30.2000008 139 1166 41.5999985 45.5999985 0.89047619 sediments, sandstone, tillite 223 26 13 14.8000002 35 100 -30.2999992 139.5 1157 26 26 0.868965517 extrusives 320 63 9 15.5 34 65 -38 145.5 1854 16 16 0.931 extrusives 314 70 6 132 48 50 -33.2999992 151.199997 1844 9 10 0.4 intrusives, basalt 317 63 14 16 23 56 -32.5 151 1840 20 20 0.851351351 extrusives, basalts 302.700012 66.8000031 6.80000019 35 34 65 -38 145.5 1819 10.8000002 12.1000004 0.912592593 extrusives 305 73 17 29 23 56 -42 147 1821 25 29 0.65625 extrusives, basalts 305.600006 70.5 3.5999999 48.5 52 54 -32 151.399994 1892 5.30000019 5.30000019 0.955004591 extrusives 274 66 27.6000004 8.60000038 25 65 -41.2999992 145.899994 1873 39.7999992 46.9000015 0.766666667 intrusives, granite 321 64 6 27.5 25 65 -35.5999985 137.5 1874 10 11 0.935454545 sediments 269 40 0 0 50 300 -32.5999985 151.5 1868 0 0 0.458333333 extrusives, andesites 294 75 11 7 25 65 -41.0999985 146.100006 1871 16.2999992 18.8999996 0.625 sediments, sandstone 315 66 10.5 18 25 65 -41 145.5 1872 18.2000008 19.6000004 0.895833333 extrusives, sediments 298 58.7999992 2.4000001 0 35 65 -27 141.5 1972 3.79999995 3.79999995 0.486486486 sediments, weathered 314 66 5.5999999 161 48 50 -33.2999992 151.199997 1969 8.5 9.80000019 0.4 intrusives, basalt 297.200012 59.2000008 6 0 50 70 -30.5 151.5 1964 9.10000038 9.89999962 0.84097035 sediments, weathered 102 19.8999996 21.7000008 18.7999992 65 245 -32 116 1944 28.1000004 28.1000004 0.7 intrusives 310.899994 68.5 0 0 40 60 -35 150 1927 5.19999981 5.19999981 0.971419884 extrusives, basalts 271 63 2.9000001 352 50 80 -34 151 1595 3.5 4.5 0.4375 intrusives 278 66 2.0999999 333 48 50 -33.2999992 151.199997 1596 2.5999999 3.29999995 0.464285714 intrusives, basalt 318 37 6.80000019 41 56 59 -33.2000008 151.100006 1597 13.1999998 13.3999996 0.458333333 intrusives 324 51 3.29999995 960 65 100 -34 151 1591 6.0999999 6.4000001 0.476190476 intrusives 272 66 4.80000019 191 60 100 -33.7000008 151.100006 1592 5.80000019 7.4000001 0.416666667 intrusives
D
/** ... Copyright: © 2012 Matthias Dondorff License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Matthias Dondorff */ module dub.internal.utils; import dub.internal.vibecompat.core.file; import dub.internal.vibecompat.core.log; import dub.internal.vibecompat.data.json; import dub.internal.vibecompat.inet.url; import dub.version_; // todo: cleanup imports. import std.algorithm : startsWith; import std.array; import std.conv; import std.exception; import std.file; import std.process; import std.string; import std.typecons; import std.zip; version(DubUseCurl) import std.net.curl; Path getTempDir() { auto tmp = environment.get("TEMP"); if( !tmp.length ) tmp = environment.get("TMP"); if( !tmp.length ){ version(Posix) tmp = "/tmp/"; else tmp = "./"; } return Path(tmp); } bool isEmptyDir(Path p) { foreach(DirEntry e; dirEntries(p.toNativeString(), SpanMode.shallow)) return false; return true; } bool isWritableDir(Path p, bool create_if_missing = false) { import std.random; auto fname = p ~ format("__dub_write_test_%08X", uniform(0, uint.max)); if (create_if_missing && !exists(p.toNativeString())) mkdirRecurse(p.toNativeString()); try openFile(fname, FileMode.CreateTrunc).close(); catch return false; remove(fname.toNativeString()); return true; } Json jsonFromFile(Path file, bool silent_fail = false) { if( silent_fail && !existsFile(file) ) return Json.emptyObject; auto f = openFile(file.toNativeString(), FileMode.Read); scope(exit) f.close(); auto text = stripUTF8Bom(cast(string)f.readAll()); return parseJson(text); } Json jsonFromZip(Path zip, string filename) { auto f = openFile(zip, FileMode.Read); ubyte[] b = new ubyte[cast(size_t)f.size]; f.rawRead(b); f.close(); auto archive = new ZipArchive(b); auto text = stripUTF8Bom(cast(string)archive.expand(archive.directory[filename])); return parseJson(text); } void writeJsonFile(Path path, Json json) { auto f = openFile(path, FileMode.CreateTrunc); scope(exit) f.close(); f.writePrettyJsonString(json); } bool isPathFromZip(string p) { enforce(p.length > 0); return p[$-1] == '/'; } bool existsDirectory(Path path) { if( !existsFile(path) ) return false; auto fi = getFileInfo(path); return fi.isDirectory; } void runCommands(in string[] commands, string[string] env = null) { foreach(cmd; commands){ logDiagnostic("Running %s", cmd); Pid pid; if( env !is null ) pid = spawnShell(cmd, env); else pid = spawnShell(cmd); auto exitcode = pid.wait(); enforce(exitcode == 0, "Command failed with exit code "~to!string(exitcode)); } } /** Downloads a file from the specified URL. Any redirects will be followed until the actual file resource is reached or if the redirection limit of 10 is reached. Note that only HTTP(S) is currently supported. */ void download(string url, string filename) { version(DubUseCurl) { auto conn = HTTP(); setupHTTPClient(conn); logDebug("Storing %s...", url); std.net.curl.download(url, filename, conn); enforce(conn.statusLine.code < 400, format("Failed to download %s: %s %s", url, conn.statusLine.code, conn.statusLine.reason)); } else assert(false); } /// ditto void download(Url url, Path filename) { download(url.toString(), filename.toNativeString()); } /// ditto char[] download(string url) { version(DubUseCurl) { auto conn = HTTP(); setupHTTPClient(conn); logDebug("Getting %s...", url); auto ret = get(url, conn); enforce(conn.statusLine.code < 400, format("Failed to GET %s: %s %s", url, conn.statusLine.code, conn.statusLine.reason)); return ret; } else assert(false); } /// ditto char[] download(Url url) { return download(url.toString()); } /// Returns the current DUB version in semantic version format string getDUBVersion() { import dub.version_; // convert version string to valid SemVer format auto verstr = dubVersion; if (verstr.startsWith("v")) verstr = verstr[1 .. $]; auto parts = verstr.split("-"); if (parts.length >= 3) { // detect GIT commit suffix if (parts[$-1].length == 8 && parts[$-1][1 .. $].isHexNumber() && parts[$-2].isNumber()) verstr = parts[0 .. $-2].join("-") ~ "+" ~ parts[$-2 .. $].join("-"); } return verstr; } version(DubUseCurl) { void setupHTTPClient(ref HTTP conn) { static if( is(typeof(&conn.verifyPeer)) ) conn.verifyPeer = false; auto proxy = environment.get("http_proxy", null); if (proxy.length) conn.proxy = proxy; conn.addRequestHeader("User-Agent", "dub/"~getDUBVersion()~" (std.net.curl; +https://github.com/rejectedsoftware/dub)"); } } private string stripUTF8Bom(string str) { if( str.length >= 3 && str[0 .. 3] == [0xEF, 0xBB, 0xBF] ) return str[3 ..$]; return str; } private bool isNumber(string str) { foreach (ch; str) switch (ch) { case '0': .. case '9': break; default: return false; } return true; } private bool isHexNumber(string str) { foreach (ch; str) switch (ch) { case '0': .. case '9': break; case 'a': .. case 'f': break; case 'A': .. case 'F': break; default: return false; } return true; }
D
import std.stdio, std.array, std.string, std.conv, std.algorithm; import std.typecons, std.range, std.random, std.math, std.container; import std.numeric, std.bigint, core.bitop; void main() { auto N = readln.chomp.to!long; long C = N; long ans = 0; long MOD = 10^^9+7; foreach (i; 1..N+1) { ans = ans + C * powmod(i, N - i, MOD); ans %= MOD; C = C * (N - i) % MOD * powmod(i + 1, MOD - 2, MOD) % MOD; } ans.writeln; } long powmod(long a, long x, long m) { long ret = 1; while (x) { if (x % 2) ret = ret * a % m; a = a * a % m; x /= 2; } return ret; }
D
# FIXED user_HW3_Code.obj: C:/MCU_TI_MSP430G2553/HW3_Code/user_HW3_Code.c user_HW3_Code.obj: C:/ti/ccsv8/ccs_base/msp430/include/msp430g2553.h user_HW3_Code.obj: C:/ti/ccsv8/ccs_base/msp430/include/in430.h user_HW3_Code.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-msp430_18.1.1.LTS/include/intrinsics.h user_HW3_Code.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-msp430_18.1.1.LTS/include/intrinsics_legacy_undefs.h user_HW3_Code.obj: C:/MCU_TI_MSP430G2553/HW3_Code/UART.h C:/MCU_TI_MSP430G2553/HW3_Code/user_HW3_Code.c: C:/ti/ccsv8/ccs_base/msp430/include/msp430g2553.h: C:/ti/ccsv8/ccs_base/msp430/include/in430.h: C:/ti/ccsv8/tools/compiler/ti-cgt-msp430_18.1.1.LTS/include/intrinsics.h: C:/ti/ccsv8/tools/compiler/ti-cgt-msp430_18.1.1.LTS/include/intrinsics_legacy_undefs.h: C:/MCU_TI_MSP430G2553/HW3_Code/UART.h:
D
module tests.ut.drules; import reggae; import reggae.options; import unit_threaded; import std.algorithm; import std.array; void testDCompileNoIncludePathsNinja() { auto build = Build(objectFile(SourceFile("path/to/src/foo.d"))); auto ninja = Ninja(build, "/tmp/myproject"); ninja.buildEntries.shouldEqual( [NinjaEntry("build path/to/src/foo.o: _dcompile /tmp/myproject/path/to/src/foo.d", ["DEPFILE = path/to/src/foo.o.dep"])]); } void testDCompileIncludePathsNinja() { auto build = Build(objectFile(SourceFile("path/to/src/foo.d"), Flags("-O"), ImportPaths(["path/to/src", "other/path"]))); auto ninja = Ninja(build, "/tmp/myproject"); ninja.buildEntries.shouldEqual( [NinjaEntry("build path/to/src/foo.o: _dcompile /tmp/myproject/path/to/src/foo.d", ["includes = -I/tmp/myproject/path/to/src -I/tmp/myproject/other/path", "flags = -O", "DEPFILE = path/to/src/foo.o.dep"])]); } void testDCompileIncludePathsMake() { import reggae.config: gDefaultOptions; auto build = Build(objectFile(SourceFile("path/to/src/foo.d"), Flags("-O"), ImportPaths(["path/to/src", "other/path"]))); build.targets.array[0].shellCommand(gDefaultOptions.withProjectPath("/tmp/myproject")).shouldEqual(".reggae/dcompile --objFile=path/to/src/foo.o --depFile=path/to/src/foo.o.dep dmd -O -I/tmp/myproject/path/to/src -I/tmp/myproject/other/path /tmp/myproject/path/to/src/foo.d"); } @ShouldFail @("dlangObjectFilesPerPackage") unittest { auto build = Build(dlangObjectFilesPerPackage(["path/to/src/foo.d", "path/to/src/bar.d", "other/weird.d"], "-O", ["path/to/src", "other/path"])); build.shouldEqual(Build(Target("path/to/src.o", compileCommand("path/to/src.d", "-O", ["path/to/src", "other/path"]), [Target("path/to/src/foo.d"), Target("path/to/src/bar.d")]), Target("other.o", compileCommand("other.d", "-O", ["path/to/src", "other/path"]), [Target("other/weird.d")]), )); } @("dlangObjectFilesPerPackage ..") unittest { auto build = Build(dlangObjectFilesPerModule(["/project/source/main.d", "/project/../../common/source/foo.d", "/project/../../common/source/bar.d", ])); build.shouldEqual(Build(Target("project/source/main.o", compileCommand("/project/source/main.d"), Target("/project/source/main.d")), Target("project/__/__/common/source/foo.o", compileCommand("/project/../../common/source/foo.d"), Target("/project/../../common/source/foo.d")), Target("project/__/__/common/source/bar.o", compileCommand("/project/../../common/source/bar.d"), Target("/project/../../common/source/bar.d")), )); } void testObjectFilesEmpty() { dlangObjectFilesPerPackage([]).shouldEqual([]); dlangObjectFilesPerModule([]).shouldEqual([]); }
D
module dweb.http; // Used to stop the http parser class StopHttpParserException : Exception { this() { super(null); } }
D
/Users/nabil/Downloads/AlbumsMnager/Build/Intermediates/Pods.build/Debug-iphonesimulator/SKPhotoBrowser.build/Objects-normal/x86_64/UIImage+Rotation.o : /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKCache.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKCacheable.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowserDelegate.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/extensions/UIImage+Rotation.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhoto.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKLocalPhoto.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKToolbar.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowser.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKAnimator.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowserOptions.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKButtons.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/extensions/UIView+Radius.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKMesurement.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKDetectingImageView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKDetectingView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPagingScrollView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKZoomingScrollView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKCaptionView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKIndicatorView.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/nabil/Downloads/AlbumsMnager/Pods/Target\ Support\ Files/SKPhotoBrowser/SKPhotoBrowser-umbrella.h /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowser.h /Users/nabil/Downloads/AlbumsMnager/Build/Intermediates/Pods.build/Debug-iphonesimulator/SKPhotoBrowser.build/unextended-module.modulemap /Users/nabil/Downloads/AlbumsMnager/Build/Intermediates/Pods.build/Debug-iphonesimulator/SKPhotoBrowser.build/Objects-normal/x86_64/UIImage+Rotation~partial.swiftmodule : /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKCache.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKCacheable.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowserDelegate.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/extensions/UIImage+Rotation.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhoto.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKLocalPhoto.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKToolbar.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowser.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKAnimator.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowserOptions.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKButtons.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/extensions/UIView+Radius.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKMesurement.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKDetectingImageView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKDetectingView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPagingScrollView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKZoomingScrollView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKCaptionView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKIndicatorView.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/nabil/Downloads/AlbumsMnager/Pods/Target\ Support\ Files/SKPhotoBrowser/SKPhotoBrowser-umbrella.h /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowser.h /Users/nabil/Downloads/AlbumsMnager/Build/Intermediates/Pods.build/Debug-iphonesimulator/SKPhotoBrowser.build/unextended-module.modulemap /Users/nabil/Downloads/AlbumsMnager/Build/Intermediates/Pods.build/Debug-iphonesimulator/SKPhotoBrowser.build/Objects-normal/x86_64/UIImage+Rotation~partial.swiftdoc : /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKCache.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKCacheable.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowserDelegate.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/extensions/UIImage+Rotation.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhoto.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKLocalPhoto.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKToolbar.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowser.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKAnimator.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowserOptions.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKButtons.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/extensions/UIView+Radius.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKMesurement.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKDetectingImageView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKDetectingView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPagingScrollView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKZoomingScrollView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKCaptionView.swift /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKIndicatorView.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/nabil/Downloads/AlbumsMnager/Pods/Target\ Support\ Files/SKPhotoBrowser/SKPhotoBrowser-umbrella.h /Users/nabil/Downloads/AlbumsMnager/Pods/SKPhotoBrowser/SKPhotoBrowser/SKPhotoBrowser.h /Users/nabil/Downloads/AlbumsMnager/Build/Intermediates/Pods.build/Debug-iphonesimulator/SKPhotoBrowser.build/unextended-module.modulemap
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 engine.thirdparty.derelict.opengl.extensions.core_30; import engine.thirdparty.derelict.opengl.extensions.arb_d, engine.thirdparty.derelict.opengl.extensions.arb_f, engine.thirdparty.derelict.opengl.extensions.arb_h, engine.thirdparty.derelict.opengl.extensions.arb_m, engine.thirdparty.derelict.opengl.extensions.arb_t, engine.thirdparty.derelict.opengl.extensions.arb_v; enum corearb30Decls = arbDepthBufferFloatDecls ~ arbFramebufferObjectDecls ~ arbHalfFloatVertexDecls ~ arbMapBufferRangeDecls ~ arbTextureCompressionRGTCDecls ~ arbTextureRGDecls ~ arbVertexArrayObjectDecls; enum corearb30Funcs = arbFramebufferObjectFuncs ~ arbMapBufferRangeFuncs ~ arbVertexArrayObjectFuncs; version(DerelictGL3_Contexts) enum corearb30Loader = arbFramebufferObjectLoaderImpl ~ arbMapBufferRangeLoaderImpl ~ arbVertexArrayObjectLoaderImpl; else enum corearb30Loader = arbFramebufferObjectLoader ~ arbMapBufferRangeLoader ~ arbVertexArrayObjectLoader;
D
/++ + Module for handling low-level message encoding. +/ module virc.encoding; import std.encoding; import std.string; /++ + Decodes a byte array to a UTF-8 string. Old IRC clients don't use UTF-8, + but it is a simple matter to detect and convert those strings. Lines truncated + mid-codepoint by the protocol's line length will be treated as invalid UTF-8. +/ auto toUTF8String(Encoding = Latin1String)(const immutable(ubyte)[] raw) { auto utf = cast(string)raw; static if (!is(Encoding == string)) { if (!utf.isValid()) { string fallback; transcode(cast(Encoding)raw, fallback); return fallback; } } return utf; } //@system due to transcode() /// @system pure unittest { import std.string : representation; //Basic case assert("test".representation.toUTF8String == "test"); //ISO-8859-1 assert([cast(ubyte)0xA9].toUTF8String == "©"); //Truncated utf-8 will be treated as fallback encoding assert("©".representation[0..1].toUTF8String == "Â"); }
D
/Users/xiaohongwei/projects/for_offer/target/debug/deps/smallvec-7ac26ef2feb99848.rmeta: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/smallvec-0.6.13/lib.rs /Users/xiaohongwei/projects/for_offer/target/debug/deps/smallvec-7ac26ef2feb99848.d: /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/smallvec-0.6.13/lib.rs /Users/xiaohongwei/.cargo/registry/src/mirrors.ustc.edu.cn-b63e9dae659fc205/smallvec-0.6.13/lib.rs:
D
/******************************************************************************* * Copyright (c) 2000, 2008 IBM Corporation and others. * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * which accompanies this distribution, and is available at * http://www.eclipse.org/legal/epl-v10.html * * Contributors: * IBM Corporation - initial API and implementation * Port to the D programming language: * Frank Benoit <benoit@tionex.de> *******************************************************************************/ module dwt.internal.image.PNGFileFormat; import dwt.DWT; import dwt.graphics.ImageData; import dwt.graphics.ImageLoaderEvent; import dwt.graphics.ImageLoader; import dwt.graphics.PaletteData; import dwt.internal.Compatibility; import dwt.internal.image.FileFormat; import dwt.internal.image.PngIhdrChunk; import dwt.internal.image.PngPlteChunk; import dwt.internal.image.PngChunkReader; import dwt.internal.image.PngChunk; import dwt.internal.image.PngTrnsChunk; import dwt.internal.image.PngIdatChunk; import dwt.internal.image.PngEncoder; import dwt.internal.image.PngInputStream; import dwt.internal.image.PngDecodingDataStream; import dwt.dwthelper.utils; import dwt.dwthelper.BufferedInputStream; import tango.core.Exception; final class PNGFileFormat : FileFormat { static final int SIGNATURE_LENGTH = 8; static final int PRIME = 65521; PngIhdrChunk headerChunk; PngPlteChunk paletteChunk; ImageData imageData; byte[] data; byte[] alphaPalette; byte headerByte1; byte headerByte2; int adler; /** * Skip over signature data. This has already been * verified in isFileFormat(). */ void readSignature() { byte[] signature = new byte[SIGNATURE_LENGTH]; inputStream.read(signature); } /** * Load the PNG image from the byte stream. */ override ImageData[] loadFromByteStream() { try { readSignature(); PngChunkReader chunkReader = new PngChunkReader(inputStream); headerChunk = chunkReader.getIhdrChunk(); int width = headerChunk.getWidth(), height = headerChunk.getHeight(); if (width <= 0 || height <= 0) DWT.error(DWT.ERROR_INVALID_IMAGE); int imageSize = getAlignedBytesPerRow() * height; data = new byte[imageSize]; imageData = ImageData.internal_new( width, height, headerChunk.getSwtBitsPerPixel(), new PaletteData(0, 0, 0), 4, data, 0, null, null, -1, -1, DWT.IMAGE_PNG, 0, 0, 0, 0); if (headerChunk.usesDirectColor()) { imageData.palette = headerChunk.getPaletteData(); } // Read and process chunks until the IEND chunk is encountered. while (chunkReader.hasMoreChunks()) { readNextChunk(chunkReader); } return [imageData]; } catch (IOException e) { DWT.error(DWT.ERROR_INVALID_IMAGE); return null; } } /** * Read and handle the next chunk of data from the * PNG file. */ void readNextChunk(PngChunkReader chunkReader) { PngChunk chunk = chunkReader.readNextChunk(); switch (chunk.getChunkType()) { case PngChunk.CHUNK_IEND: break; case PngChunk.CHUNK_PLTE: if (!headerChunk.usesDirectColor()) { paletteChunk = cast(PngPlteChunk) chunk; imageData.palette = paletteChunk.getPaletteData(); } break; case PngChunk.CHUNK_tRNS: PngTrnsChunk trnsChunk = cast(PngTrnsChunk) chunk; if (trnsChunk.getTransparencyType(headerChunk) is PngTrnsChunk.TRANSPARENCY_TYPE_PIXEL) { imageData.transparentPixel = trnsChunk.getSwtTransparentPixel(headerChunk); } else { alphaPalette = trnsChunk.getAlphaValues(headerChunk, paletteChunk); int transparentCount = 0, transparentPixel = -1; for (int i = 0; i < alphaPalette.length; i++) { if ((alphaPalette[i] & 0xFF) !is 255) { transparentCount++; transparentPixel = i; } } if (transparentCount is 0) { alphaPalette = null; } else if (transparentCount is 1 && alphaPalette[transparentPixel] is 0) { alphaPalette = null; imageData.transparentPixel = transparentPixel; } } break; case PngChunk.CHUNK_IDAT: if (chunkReader.readPixelData()) { // All IDAT chunks in an image file must be // sequential. If the pixel data has already // been read and another IDAT block is encountered, // then this is an invalid image. DWT.error(DWT.ERROR_INVALID_IMAGE); } else { // Read in the pixel data for the image. This should // go through all the image's IDAT chunks. PngIdatChunk dataChunk = cast(PngIdatChunk) chunk; readPixelData(dataChunk, chunkReader); } break; default: if (chunk.isCritical()) { // All critical chunks must be supported. DWT.error(DWT.ERROR_NOT_IMPLEMENTED); } } } override void unloadIntoByteStream(ImageLoader loader) { PngEncoder encoder = new PngEncoder(loader); encoder.encode(outputStream); } override bool isFileFormat(LEDataInputStream stream) { try { byte[] signature = new byte[SIGNATURE_LENGTH]; stream.read(signature); stream.unread(signature); if ((signature[0] & 0xFF) !is 137) return false; //137 if ((signature[1] & 0xFF) !is 80) return false; //P if ((signature[2] & 0xFF) !is 78) return false; //N if ((signature[3] & 0xFF) !is 71) return false; //G if ((signature[4] & 0xFF) !is 13) return false; //<RETURN> if ((signature[5] & 0xFF) !is 10) return false; //<LINEFEED> if ((signature[6] & 0xFF) !is 26) return false; //<CTRL/Z> if ((signature[7] & 0xFF) !is 10) return false; //<LINEFEED> return true; } catch (Exception e) { return false; } } /** * DWT does not support 16-bit depths. If this image uses * 16-bit depths, convert the data to an 8-bit depth. */ byte[] validateBitDepth(byte[] data) { if (headerChunk.getBitDepth() > 8) { byte[] result = new byte[data.length / 2]; compress16BitDepthTo8BitDepth(data, 0, result, 0, result.length); return result; } else { return data; } } /** * DWT does not support greyscale as a color type. For * plain grayscale, we create a palette. For Grayscale * with Alpha, however, we need to convert the pixels * to use RGB values. * Note: This method assumes that the bit depth of the * data has already been restricted to 8 or less. */ void setPixelData(byte[] data, ImageData imageData) { switch (headerChunk.getColorType()) { case PngIhdrChunk.COLOR_TYPE_GRAYSCALE_WITH_ALPHA: { int width = imageData.width; int height = imageData.height; int destBytesPerLine = imageData.bytesPerLine; /* * If the image uses 16-bit depth, it is converted * to an 8-bit depth image. */ int srcBytesPerLine = getAlignedBytesPerRow(); if (headerChunk.getBitDepth() > 8) srcBytesPerLine /= 2; byte[] rgbData = new byte[destBytesPerLine * height]; byte[] alphaData = new byte[width * height]; for (int y = 0; y < height; y++) { int srcIndex = srcBytesPerLine * y; int destIndex = destBytesPerLine * y; int destAlphaIndex = width * y; for (int x = 0; x < width; x++) { byte grey = data[srcIndex]; byte alpha = data[srcIndex + 1]; rgbData[destIndex + 0] = grey; rgbData[destIndex + 1] = grey; rgbData[destIndex + 2] = grey; alphaData[destAlphaIndex] = alpha; srcIndex += 2; destIndex += 3; destAlphaIndex++; } } imageData.data = rgbData; imageData.alphaData = alphaData; break; } case PngIhdrChunk.COLOR_TYPE_RGB_WITH_ALPHA: { int width = imageData.width; int height = imageData.height; int destBytesPerLine = imageData.bytesPerLine; int srcBytesPerLine = getAlignedBytesPerRow(); /* * If the image uses 16-bit depth, it is converted * to an 8-bit depth image. */ if (headerChunk.getBitDepth() > 8) srcBytesPerLine /= 2; byte[] rgbData = new byte[destBytesPerLine * height]; byte[] alphaData = new byte[width * height]; for (int y = 0; y < height; y++) { int srcIndex = srcBytesPerLine * y; int destIndex = destBytesPerLine * y; int destAlphaIndex = width * y; for (int x = 0; x < width; x++) { rgbData[destIndex + 0] = data[srcIndex + 0]; rgbData[destIndex + 1] = data[srcIndex + 1]; rgbData[destIndex + 2] = data[srcIndex + 2]; alphaData[destAlphaIndex] = data[srcIndex + 3]; srcIndex += 4; destIndex += 3; destAlphaIndex++; } } imageData.data = rgbData; imageData.alphaData = alphaData; break; } case PngIhdrChunk.COLOR_TYPE_RGB: imageData.data = data; break; case PngIhdrChunk.COLOR_TYPE_PALETTE: imageData.data = data; if (alphaPalette !is null) { int size = imageData.width * imageData.height; byte[] alphaData = new byte[size]; byte[] pixelData = new byte[size]; imageData.getPixels(0, 0, size, pixelData, 0); for (int i = 0; i < pixelData.length; i++) { alphaData[i] = alphaPalette[pixelData[i] & 0xFF]; } imageData.alphaData = alphaData; } break; default: imageData.data = data; break; } } /** * PNG supports some color types and bit depths that are * unsupported by DWT. If the image uses an unsupported * color type (either of the gray scale types) or bit * depth (16), convert the data to an DWT-supported * format. Then assign the data into the ImageData given. */ void setImageDataValues(byte[] data, ImageData imageData) { byte[] result = validateBitDepth(data); setPixelData(result, imageData); } /** * Read the image data from the data stream. This must handle * decoding the data, filtering, and interlacing. */ void readPixelData(PngIdatChunk chunk, PngChunkReader chunkReader) { InputStream stream = new PngInputStream(chunk, chunkReader); //TEMPORARY CODE //PORTING_FIXME bool use3_2 = true;//System.getProperty("dwt.internal.image.PNGFileFormat_3.2") !is null; InputStream inflaterStream = use3_2 ? null : Compatibility.newInflaterInputStream(stream); if (inflaterStream !is null) { stream = inflaterStream; } else { stream = new PngDecodingDataStream(stream); } int interlaceMethod = headerChunk.getInterlaceMethod(); if (interlaceMethod is PngIhdrChunk.INTERLACE_METHOD_NONE) { readNonInterlacedImage(stream); } else { readInterlacedImage(stream); } /* * InflaterInputStream does not consume all bytes in the stream * when it is closed. This may leave unread IDAT chunks. The fix * is to read all available bytes before closing it. */ while (stream.available() > 0) stream.read(); stream.close(); } /** * Answer the number of bytes in a word-aligned row of pixel data. */ int getAlignedBytesPerRow() { return ((getBytesPerRow(headerChunk.getWidth()) + 3) / 4) * 4; } /** * Answer the number of bytes in each row of the image * data. Each PNG row is byte-aligned, so images with bit * depths less than a byte may have unused bits at the * end of each row. The value of these bits is undefined. */ int getBytesPerRow() { return getBytesPerRow(headerChunk.getWidth()); } /** * Answer the number of bytes needed to represent a pixel. * This value depends on the image's color type and bit * depth. * Note that this method rounds up if an image's pixel size * isn't byte-aligned. */ int getBytesPerPixel() { int bitsPerPixel = headerChunk.getBitsPerPixel(); return (bitsPerPixel + 7) / 8; } /** * Answer the number of bytes in a row of the given pixel * width. Each row is byte-aligned, so images with bit * depths less than a byte may have unused bits at the * end of each row. The value of these bits is undefined. */ int getBytesPerRow(int rowWidthInPixels) { int bitsPerPixel = headerChunk.getBitsPerPixel(); int bitsPerRow = bitsPerPixel * rowWidthInPixels; int bitsPerByte = 8; return (bitsPerRow + (bitsPerByte - 1)) / bitsPerByte; } /** * 1. Read one of the seven frames of interlaced data. * 2. Update the imageData. * 3. Notify the image loader's listeners of the frame load. */ void readInterlaceFrame( InputStream inputStream, int rowInterval, int columnInterval, int startRow, int startColumn, int frameCount) { int width = headerChunk.getWidth(); int alignedBytesPerRow = getAlignedBytesPerRow(); int height = headerChunk.getHeight(); if (startRow >= height || startColumn >= width) return; int pixelsPerRow = (width - startColumn + columnInterval - 1) / columnInterval; int bytesPerRow = getBytesPerRow(pixelsPerRow); byte[] row1 = new byte[bytesPerRow]; byte[] row2 = new byte[bytesPerRow]; byte[] currentRow = row1; byte[] lastRow = row2; for (int row = startRow; row < height; row += rowInterval) { byte filterType = cast(byte)inputStream.read(); int read = 0; while (read !is bytesPerRow) { read += inputStream.read(currentRow, read, bytesPerRow - read); } filterRow(currentRow, lastRow, filterType); if (headerChunk.getBitDepth() >= 8) { int bytesPerPixel = getBytesPerPixel(); int dataOffset = (row * alignedBytesPerRow) + (startColumn * bytesPerPixel); for (int rowOffset = 0; rowOffset < currentRow.length; rowOffset += bytesPerPixel) { for (int byteOffset = 0; byteOffset < bytesPerPixel; byteOffset++) { data[dataOffset + byteOffset] = currentRow[rowOffset + byteOffset]; } dataOffset += (columnInterval * bytesPerPixel); } } else { int bitsPerPixel = headerChunk.getBitDepth(); int pixelsPerByte = 8 / bitsPerPixel; int column = startColumn; int rowBase = row * alignedBytesPerRow; int valueMask = 0; for (int i = 0; i < bitsPerPixel; i++) { valueMask <<= 1; valueMask |= 1; } int maxShift = 8 - bitsPerPixel; for (int byteOffset = 0; byteOffset < currentRow.length; byteOffset++) { for (int bitOffset = maxShift; bitOffset >= 0; bitOffset -= bitsPerPixel) { if (column < width) { int dataOffset = rowBase + (column * bitsPerPixel / 8); int value = (currentRow[byteOffset] >> bitOffset) & valueMask; int dataShift = maxShift - (bitsPerPixel * (column % pixelsPerByte)); data[dataOffset] |= value << dataShift; } column += columnInterval; } } } currentRow = (currentRow is row1) ? row2 : row1; lastRow = (lastRow is row1) ? row2 : row1; } setImageDataValues(data, imageData); fireInterlacedFrameEvent(frameCount); } /** * Read the pixel data for an interlaced image from the * data stream. */ void readInterlacedImage(InputStream inputStream) { readInterlaceFrame(inputStream, 8, 8, 0, 0, 0); readInterlaceFrame(inputStream, 8, 8, 0, 4, 1); readInterlaceFrame(inputStream, 8, 4, 4, 0, 2); readInterlaceFrame(inputStream, 4, 4, 0, 2, 3); readInterlaceFrame(inputStream, 4, 2, 2, 0, 4); readInterlaceFrame(inputStream, 2, 2, 0, 1, 5); readInterlaceFrame(inputStream, 2, 1, 1, 0, 6); } /** * Fire an event to let listeners know that an interlaced * frame has been loaded. * finalFrame should be true if the image has finished * loading, false if there are more frames to come. */ void fireInterlacedFrameEvent(int frameCount) { if (loader.hasListeners()) { ImageData image = cast(ImageData) imageData.clone(); bool finalFrame = frameCount is 6; loader.notifyListeners(new ImageLoaderEvent(loader, image, frameCount, finalFrame)); } } /** * Read the pixel data for a non-interlaced image from the * data stream. * Update the imageData to reflect the new data. */ void readNonInterlacedImage(InputStream inputStream) { int dataOffset = 0; int alignedBytesPerRow = getAlignedBytesPerRow(); int bytesPerRow = getBytesPerRow(); byte[] row1 = new byte[bytesPerRow]; byte[] row2 = new byte[bytesPerRow]; byte[] currentRow = row1; byte[] lastRow = row2; int height = headerChunk.getHeight(); for (int row = 0; row < height; row++) { byte filterType = cast(byte)inputStream.read(); int read = 0; while (read !is bytesPerRow) { read += inputStream.read(currentRow, read, bytesPerRow - read); } filterRow(currentRow, lastRow, filterType); System.arraycopy(currentRow, 0, data, dataOffset, bytesPerRow); dataOffset += alignedBytesPerRow; currentRow = (currentRow is row1) ? row2 : row1; lastRow = (lastRow is row1) ? row2 : row1; } setImageDataValues(data, imageData); } /** * DWT does not support 16-bit depth color formats. * Convert the 16-bit data to 8-bit data. * The correct way to do this is to multiply each * 16 bit value by the value: * (2^8 - 1) / (2^16 - 1). * The fast way to do this is just to drop the low * byte of the 16-bit value. */ static void compress16BitDepthTo8BitDepth( byte[] source, int sourceOffset, byte[] destination, int destinationOffset, int numberOfValues) { //double multiplier = (Compatibility.pow2(8) - 1) / (Compatibility.pow2(16) - 1); for (int i = 0; i < numberOfValues; i++) { int sourceIndex = sourceOffset + (2 * i); int destinationIndex = destinationOffset + i; //int value = (source[sourceIndex] << 8) | source[sourceIndex + 1]; //byte compressedValue = (byte)(value * multiplier); byte compressedValue = source[sourceIndex]; destination[destinationIndex] = compressedValue; } } /** * DWT does not support 16-bit depth color formats. * Convert the 16-bit data to 8-bit data. * The correct way to do this is to multiply each * 16 bit value by the value: * (2^8 - 1) / (2^16 - 1). * The fast way to do this is just to drop the low * byte of the 16-bit value. */ static int compress16BitDepthTo8BitDepth(int value) { //double multiplier = (Compatibility.pow2(8) - 1) / (Compatibility.pow2(16) - 1); //byte compressedValue = (byte)(value * multiplier); return value >> 8; } /** * PNG supports four filtering types. These types are applied * per row of image data. This method unfilters the given row * based on the filterType. */ void filterRow(byte[] row, byte[] previousRow, int filterType) { int byteOffset = headerChunk.getFilterByteOffset(); switch (filterType) { case PngIhdrChunk.FILTER_NONE: break; case PngIhdrChunk.FILTER_SUB: for (int i = byteOffset; i < row.length; i++) { int current = row[i] & 0xFF; int left = row[i - byteOffset] & 0xFF; row[i] = cast(byte)((current + left) & 0xFF); } break; case PngIhdrChunk.FILTER_UP: for (int i = 0; i < row.length; i++) { int current = row[i] & 0xFF; int above = previousRow[i] & 0xFF; row[i] = cast(byte)((current + above) & 0xFF); } break; case PngIhdrChunk.FILTER_AVERAGE: for (int i = 0; i < row.length; i++) { int left = (i < byteOffset) ? 0 : row[i - byteOffset] & 0xFF; int above = previousRow[i] & 0xFF; int current = row[i] & 0xFF; row[i] = cast(byte)((current + ((left + above) / 2)) & 0xFF); } break; case PngIhdrChunk.FILTER_PAETH: for (int i = 0; i < row.length; i++) { int left = (i < byteOffset) ? 0 : row[i - byteOffset] & 0xFF; int aboveLeft = (i < byteOffset) ? 0 : previousRow[i - byteOffset] & 0xFF; int above = previousRow[i] & 0xFF; int a = Math.abs(above - aboveLeft); int b = Math.abs(left - aboveLeft); int c = Math.abs(left - aboveLeft + above - aboveLeft); int preductor = 0; if (a <= b && a <= c) { preductor = left; } else if (b <= c) { preductor = above; } else { preductor = aboveLeft; } int currentValue = row[i] & 0xFF; row[i] = cast(byte) ((currentValue + preductor) & 0xFF); } break; default: } } }
D
/******************************************************************************* copyright: Copyright (c) 2008 Kris Bell. Все права защищены license: BSD стиль: $(LICENSE) version: Initial release: April 2008 author: Kris Since: 0.99.7 *******************************************************************************/ module util.container.more.CacheMap; private import cidrus; private import util.container.HashMap; public import util.container.Container; /****************************************************************************** КэшКарта extends the basic hashmap тип by добавим a предел в_ the число of items contained at any given время. In добавьition, КэшКарта sorts the кэш записи such that those записи frequently использовался are at the голова of the queue, и those least frequently использовался are at the хвост. When the queue becomes full, old записи are dropped из_ the хвост и are reused в_ house new кэш записи. In другой words, it retains MRU items while dropping LRU when ёмкость is reached. This is great for keeping commonly использовался items around, while limiting the amount of память использован. Typically, the queue размер would be установи in the thousands (via the ctor) ******************************************************************************/ class КэшКарта (K, V, alias Хэш = Контейнер.хэш, alias Извл = Контейнер.извлеки, alias Куча = Контейнер.Сбор) { private alias ЗаписьВОчереди Тип; private alias Тип *Реф; private alias ХэшКарта!(K, Реф, Хэш, рипер, куча) Карта; private Карта хэш; private Тип[] линки; // extents of queue private Реф голова, хвост; // дименсия of queue private бцел ёмкость; /********************************************************************** Construct a кэш with the specified maximum число of записи. добавьitions в_ the кэш beyond this число will reuse the slot of the least-recently-referenced кэш Запись. **********************************************************************/ this (бцел ёмкость) { хэш = new Карта; this.ёмкость = ёмкость; хэш.корзины (ёмкость, 0.75); линки.length = ёмкость; // создай пустой список голова = хвост = &линки[0]; foreach (ref link; линки[1..$]) { link.предш = хвост; хвост.следщ = &link; хвост = &link; } } /*********************************************************************** Извлing обрвызов for the hashmap, acting as a trampoline ***********************************************************************/ static проц рипер(K, R) (K k, R r) { Извл (k, r.значение); } /*********************************************************************** ***********************************************************************/ final бцел размер () { return хэш.размер; } /*********************************************************************** Iterate из_ MRU в_ LRU записи ***********************************************************************/ final цел opApply (цел delegate(ref K ключ, ref V значение) дг) { K ключ; V значение; цел результат; auto узел = голова; auto i = хэш.размер; while (i--) { ключ = узел.ключ; значение = узел.значение; if ((результат = дг(ключ, значение)) != 0) break; узел = узел.следщ; } return результат; } /********************************************************************** Get the кэш Запись опрentified by the given ключ **********************************************************************/ бул получи (K ключ, ref V значение) { Реф Запись = пусто; // if we найди 'ключ' then перемести it в_ the список голова if (хэш.получи (ключ, Запись)) { значение = Запись.значение; переРеферируй (Запись); return да; } return нет; } /********************************************************************** Place an Запись преобр_в the кэш и associate it with the предоставленный ключ. Note that there can be only one Запись for any particular ключ. If two записи are добавьed with the same ключ, the секунда effectively overwrites the первый. Returns да if we добавьed a new Запись; нет if we just replaced an existing one **********************************************************************/ final бул добавь (K ключ, V значение) { Реф Запись = пусто; // already in the список? -- замени Запись if (хэш.получи (ключ, Запись)) { // установи the new item for this ключ и перемести в_ список голова переРеферируй (Запись.установи (ключ, значение)); return нет; } // создай a new Запись at the список голова добавьЗапись (ключ, значение); return да; } /********************************************************************** Удали the кэш Запись associated with the предоставленный ключ. Returns нет if there is no such Запись. **********************************************************************/ final бул возьми (K ключ) { V значение; return возьми (ключ, значение); } /********************************************************************** Удали (и return) the кэш Запись associated with the предоставленный ключ. Returns нет if there is no such Запись. **********************************************************************/ final бул возьми (K ключ, ref V значение) { Реф Запись = пусто; if (хэш.получи (ключ, Запись)) { значение = Запись.значение; // don't actually затуши the список Запись -- just place // it at the список 'хвост' ready for subsequent reuse разРеферируй (Запись); // удали the Запись из_ хэш хэш.удалиКлюч (ключ); return да; } return нет; } /********************************************************************** Place a кэш Запись at the хвост of the queue. This makes it the least-recently referenced. **********************************************************************/ private Реф разРеферируй (Реф Запись) { if (Запись !is хвост) { // исправь голова if (Запись is голова) голова = Запись.следщ; // перемести в_ хвост Запись.выкинь; хвост = Запись.добавь (хвост); } return Запись; } /********************************************************************** Move a кэш Запись в_ the голова of the queue. This makes it the most-recently referenced. **********************************************************************/ private Реф переРеферируй (Реф Запись) { if (Запись !is голова) { // исправь хвост if (Запись is хвост) хвост = Запись.предш; // перемести в_ голова Запись.выкинь; голова = Запись.приставь (голова); } return Запись; } /********************************************************************** Добавь an Запись преобр_в the queue. If the queue is full, the least-recently-referenced Запись is reused for the new добавьition. **********************************************************************/ private Реф добавьЗапись (K ключ, V значение) { assert (ёмкость); if (хэш.размер < ёмкость) хэш.добавь (ключ, хвост); else { // we're re-using a приор ЗаписьВОчереди, so извлеки и // relocate the existing хэш-таблица Запись первый Извл (хвост.ключ, хвост.значение); if (! хэш.replaceKey (хвост.ключ, ключ)) throw new Исключение ("ключ missing!"); } // place at голова of список return переРеферируй (хвост.установи (ключ, значение)); } /********************************************************************** A doubly-linked список Запись, использован as a wrapper for queued кэш записи **********************************************************************/ private struct ЗаписьВОчереди { private K ключ; private Реф предш, следщ; private V значение; /************************************************************** Набор this linked-список Запись with the given аргументы. **************************************************************/ Реф установи (K ключ, V значение) { this.значение = значение; this.ключ = ключ; return this; } /************************************************************** Insert this Запись преобр_в the linked-список just in front of the given Запись. **************************************************************/ Реф приставь (Реф before) { if (before) { предш = before.предш; // патч 'предш' в_ точка at me if (предш) предш.следщ = this; //патч 'before' в_ точка at me следщ = before; before.предш = this; } return this; } /************************************************************** Добавь this Запись преобр_в the linked-список just after the given Запись. **************************************************************/ Реф добавь (Реф after) { if (after) { следщ = after.следщ; // патч 'следщ' в_ точка at me if (следщ) следщ.предш = this; //патч 'after' в_ точка at me предш = after; after.следщ = this; } return this; } /************************************************************** Удали this Запись из_ the linked-список. The previous и следщ записи are patched together appropriately. **************************************************************/ Реф выкинь () { // сделай 'предш' и 'следщ' записи see each другой if (предш) предш.следщ = следщ; if (следщ) следщ.предш = предш; // Murphy's law следщ = предш = пусто; return this; } } } /******************************************************************************* *******************************************************************************/ debug (КэшКарта) { import io.Stdout; import time.StopWatch; проц main() { цел v; auto карта = new КэшКарта!(ткст, цел)(2); карта.добавь ("foo", 1); карта.добавь ("bar", 2); карта.добавь ("wumpus", 3); foreach (k, v; карта) Стдвыв.форматнс ("{} {}", k, v); Стдвыв.нс; карта.получи ("bar", v); foreach (k, v; карта) Стдвыв.форматнс ("{} {}", k, v); Стдвыв.нс; карта.получи ("bar", v); foreach (k, v; карта) Стдвыв.форматнс ("{} {}", k, v); Стдвыв.нс; карта.получи ("foo", v); foreach (k, v; карта) Стдвыв.форматнс ("{} {}", k, v); Стдвыв.нс; карта.получи ("wumpus", v); foreach (k, v; карта) Стдвыв.форматнс ("{} {}", k, v); // установи for benchmark, with a кэш of целыйs auto тест = new КэшКарта!(цел, цел, Контейнер.хэш, Контейнер.извлеки, Контейнер.Чанк) (1000); const счёт = 1_000_000; Секундомер w; // benchmark добавим w.старт; for (цел i=счёт; i--;) тест.добавь (i, i); Стдвыв.форматнс ("{} добавьs: {}/s", счёт, счёт/w.stop); // benchmark reading w.старт; for (цел i=счёт; i--;) тест.получи (i, v); Стдвыв.форматнс ("{} lookups: {}/s", счёт, счёт/w.stop); // benchmark iteration w.старт; foreach (ключ, значение; тест) {} Стдвыв.форматнс ("{} элемент iteration: {}/s", тест.размер, тест.размер/w.stop); тест.хэш.проверь; } }
D
/* Copyright (c) 1996 Blake McBride 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. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER 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. */ #include "dpp.h" defclass ArgumentList : LinkObject; static void process_file(object, char *); cmeth gNew() { return gShouldNotImplement(self, "gNew"); } cmeth gNewArglist(int argc, char **argv) { int i; object obj = gNew(super); for (i=0 ; i < argc ; i++) if (argv[i][0] == '@') process_file(obj, 1+argv[i]); else gAddLast(obj, gNewWithStr(String, argv[i])); return obj; } static void process_word(char *word, object list, int noexpand) { int wild=0; char *w; if (!noexpand) for (w=word ; *w ; w++) if (*w == '*' || *w == '?') { wild = 1; break; } if (!wild) { gAddLast(list, gNewWithStr(String, word)); return; } /* process wild some day... */ gAddLast(list, gNewWithStr(String, word)); } #define space(x) ((x) <= ' ') static char *process_token(char *p, object list) { char word[128], *w; int inquote, noexpand; while (*p && space(*p)) p++; if (noexpand = inquote = *p == '"') p++; for (w=word ; *p && (!space(*p) || inquote) ; p++) if (inquote && *p == '"') inquote = 0; else *w++ = *p; *w = '\0'; if (*word == '@') process_file(list, word+1); else if (*word) process_word(word, list, noexpand); return p; } static void process_file(object list, char *file) { char buf[256], *p; object fobj; fobj = gOpenFile(File, file, "r"); if (!fobj) { vPrintf(stdoutStream, "Can't open %s\n", file); exit(1); } while (gGets(fobj, buf, sizeof buf)) for (p=buf ; *(p=process_token(p, list)) ; ); gDispose(fobj); }
D
/* Copyright (c) 2015, Dennis Meuwissen 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. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. License does not apply to code and information found in the ./info directory. */ module render.spritebatch; import std.stdio; import std.algorithm; import std.math; import derelict.opengl; import render.texture; import render.enums; import render.program; import render.shader; import render.uniformbuffer; import render.texturearray; import util.vector3; import util.matrix4; public struct Sprite { Vector3 pos; int width; int height; Texture texture; float u; float v; float rotation; float opacity; float brightness; alias pos this; } private align(1) struct SpriteVertex { GLfloat x; GLfloat y; GLfloat z; GLfloat u; GLfloat v; GLfloat opacity; GLfloat brightness; GLfloat index; } private static immutable uint SPRITES_PER_BUFFER = 16; private static immutable uint VERTICES_PER_SPRITE = 6; private static immutable uint BUFFER_SIZE = SPRITES_PER_BUFFER * (SpriteVertex.sizeof * VERTICES_PER_SPRITE); private align(1) struct ShaderData { Matrix4 vp; float[4] ambientColor; Matrix4[SPRITES_PER_BUFFER] matrices; } public final class SpriteBatch { private Sprite[] _sprites; private size_t _count; private uint _lastBatchCount; private Program _program; private GLuint _id; private SpriteVertex[SPRITES_PER_BUFFER * VERTICES_PER_SPRITE] _vertices; private UniformBuffer!ShaderData _uniforms; private GLuint _uniformsBlockIndex; private ShaderData _shaderData; private GLint _uSamplerSpriteTexture; private static immutable GLint UBO_BIND_POINT = 0; this() { _sprites.length = 128; glGenBuffers(1, &_id); glBindBuffer(GL_ARRAY_BUFFER, _id); glBufferData(GL_ARRAY_BUFFER, BUFFER_SIZE, null, GL_STREAM_DRAW); _program = new Program( new Shader("data/shaders/sprite_vertex.glsl", ShaderType.VERTEX), new Shader("data/shaders/sprite_fragment.glsl", ShaderType.FRAGMENT) ); _uniforms = new UniformBuffer!ShaderData(); _uniformsBlockIndex = _program.getUniformBlockIndex("ShaderData"); _program.uniformBlockBinding(_uniformsBlockIndex, UBO_BIND_POINT); _uSamplerSpriteTexture = _program.getUniformLocation("samplerSpriteTexture"); glUniform1i(_uSamplerSpriteTexture, 0); } public void add(Sprite sprite) { if (_count == _sprites.length) { _sprites.length = _sprites.length * 2; } _sprites[_count] = sprite; _count++; } public void draw() { if (!_count) { return; } // Sort by z, then texture sort!((a, b) { if (a.z == b.z) { return a.texture.id < b.texture.id; } return a.z < b.z; })(_sprites[0.._count]); _program.use(); glEnable(GL_BLEND); glBindBuffer(GL_ARRAY_BUFFER, _id); glVertexAttribPointer(0, 3, GL_FLOAT, GL_FALSE, SpriteVertex.sizeof, cast(void*)SpriteVertex.x.offsetof); glVertexAttribPointer(1, 2, GL_FLOAT, GL_FALSE, SpriteVertex.sizeof, cast(void*)SpriteVertex.u.offsetof); glVertexAttribPointer(2, 1, GL_FLOAT, GL_FALSE, SpriteVertex.sizeof, cast(void*)SpriteVertex.opacity.offsetof); glVertexAttribPointer(3, 1, GL_FLOAT, GL_FALSE, SpriteVertex.sizeof, cast(void*)SpriteVertex.brightness.offsetof); glVertexAttribPointer(4, 1, GL_FLOAT, GL_FALSE, SpriteVertex.sizeof, cast(void*)SpriteVertex.index.offsetof); glEnableVertexAttribArray(0); glEnableVertexAttribArray(1); glEnableVertexAttribArray(2); glEnableVertexAttribArray(3); glEnableVertexAttribArray(4); _uniforms.bindBase(_uniformsBlockIndex); uint spritesCount; uint vertexIndex; Texture currentTexture; _lastBatchCount = 0; for (int index = 0; index < _count; index += spritesCount) { if (index + SPRITES_PER_BUFFER >= _count) { spritesCount = _count - index; } else { spritesCount = SPRITES_PER_BUFFER; } // Generate geometry and matrices for each sprite. vertexIndex = 0; currentTexture = _sprites[index].texture; const Matrix4 mI = matrix4Identity(); foreach (int spriteIndex, ref Sprite sprite; _sprites[index..index + spritesCount]) { if (currentTexture !is sprite.texture) { spritesCount = spriteIndex; break; } const GLfloat su = (1.0 / currentTexture.size) * sprite.width; const GLfloat sv = (1.0 / currentTexture.size) * sprite.height; _vertices[vertexIndex + 0] = SpriteVertex( 0.5 * sprite.width, -0.5 * sprite.height, 0.0, sprite.u + su, sprite.v + 0.0, sprite.opacity, sprite.brightness, spriteIndex); _vertices[vertexIndex + 1] = SpriteVertex(-0.5 * sprite.width, -0.5 * sprite.height, 0.0, sprite.u + 0.0, sprite.v + 0.0, sprite.opacity, sprite.brightness, spriteIndex); _vertices[vertexIndex + 2] = SpriteVertex( 0.5 * sprite.width, 0.5 * sprite.height, 0.0, sprite.u + su, sprite.v + sv, sprite.opacity, sprite.brightness, spriteIndex); _vertices[vertexIndex + 3] = SpriteVertex(-0.5 * sprite.width, -0.5 * sprite.height, 0.0, sprite.u + 0.0, sprite.v + 0.0, sprite.opacity, sprite.brightness, spriteIndex); _vertices[vertexIndex + 4] = SpriteVertex(-0.5 * sprite.width, 0.5 * sprite.height, 0.0, sprite.u + 0.0, sprite.v + sv, sprite.opacity, sprite.brightness, spriteIndex); _vertices[vertexIndex + 5] = SpriteVertex( 0.5 * sprite.width, 0.5 * sprite.height, 0.0, sprite.u + su, sprite.v + sv, sprite.opacity, sprite.brightness, spriteIndex); vertexIndex += VERTICES_PER_SPRITE; const Matrix4 mR = matrix4RotateZ(mI, sprite.rotation * (PI / 180)); const Matrix4 mT = matrix4Translate(mI, Vector3(sprite.x, sprite.y, sprite.z)); _shaderData.matrices[spriteIndex] = matrix4Multiply(matrix4Multiply(mI, mT), mR); } // Write vertex data to buffer. SpriteVertex* dest = cast(SpriteVertex*)glMapBufferRange(GL_ARRAY_BUFFER, 0, spritesCount * VERTICES_PER_SPRITE * SpriteVertex.sizeof, GL_MAP_WRITE_BIT | GL_MAP_INVALIDATE_BUFFER_BIT); dest[0..spritesCount * VERTICES_PER_SPRITE] = _vertices[0..spritesCount * VERTICES_PER_SPRITE]; glUnmapBuffer(GL_ARRAY_BUFFER); // Update shader data. _uniforms.update(_shaderData); // Draw with current batch texture. currentTexture.bind(); glDrawArrays(GL_TRIANGLES, 0, spritesCount * VERTICES_PER_SPRITE); _lastBatchCount++; } glDisableVertexAttribArray(0); glDisableVertexAttribArray(1); glDisableVertexAttribArray(2); glDisableVertexAttribArray(3); glDisableVertexAttribArray(4); glBindBuffer(GL_ARRAY_BUFFER, 0); _count = 0; } @property public uint lastBatchCount() { return _lastBatchCount; } public void setAmbientColor(const float[4] color) { _shaderData.ambientColor = color; } public void setMatrix(const Matrix4 matrix) { _shaderData.vp = matrix; } }
D
import std.stdint; alias char simxChar; /* always 1 byte */ alias int16_t simxShort; /* always 2 bytes */ alias uint16_t simxUShort; /* always 2 bytes */ alias int32_t simxInt; /* always 4 bytes */ alias uint32_t simxUInt; /* always 4 bytes */ alias float simxFloat; /* always 4 bytes */ alias double simxDouble; /* always 8 bytes */ alias void simxVoid; version (Windows) { alias simxVoid SIMX_THREAD_RET_TYPE; } version (Posix) { alias simxVoid* SIMX_THREAD_RET_TYPE; } extern(C): /* Following functions only needed for testing endianness robustness */ simxShort extApi_endianConversionShort(simxShort shortValue); simxUShort extApi_endianConversionUShort(simxUShort shortValue); simxInt extApi_endianConversionInt(simxInt intValue); simxFloat extApi_endianConversionFloat(simxFloat floatValue); simxDouble extApi_endianConversionDouble(simxDouble floatValue); /* Following functions might be platform specific */ simxChar* extApi_allocateBuffer(simxInt bufferSize); simxVoid extApi_releaseBuffer(simxChar* buffer); simxVoid extApi_createMutexes(); simxVoid extApi_deleteMutexes(); simxVoid extApi_lockResources(); simxVoid extApi_unlockResources(); simxVoid extApi_lockSendStart(); simxVoid extApi_unlockSendStart(); simxInt extApi_getTimeInMs(); simxInt extApi_getTimeDiffInMs(simxInt lastTime); simxVoid extApi_initRand(); simxFloat extApi_rand(); simxVoid extApi_sleepMs(simxInt ms); simxVoid extApi_switchThread(); simxChar extApi_areStringsSame(const simxChar* str1,const simxChar* str2); simxInt extApi_getStringLength(const simxChar* str); simxChar* extApi_readFile(const simxChar* fileName,simxInt* len); simxChar extApi_launchThread(SIMX_THREAD_RET_TYPE function(simxVoid*) startAddress); simxChar extApi_connectToServer_socket(const simxChar* theConnectionAddress,simxInt theConnectionPort); simxVoid extApi_cleanUp_socket(); simxInt extApi_send_socket(const simxChar* data,simxInt dataLength); simxInt extApi_recv_socket(simxChar* data,simxInt maxDataLength);
D
//taken from learning d by Michael Parker import std.stdio; class ValClass(T) { private: T _val; public: this(T val) { _val = val; } T val() @property { return _val; } } void main() { auto vc = new ValClass!int(10); writeln(vc.val); }
D
/Users/cansoykarafakili/Desktop/Hello/build/Intermediates/Hello.build/Debug/Console.build/Objects-normal/x86_64/ConsoleStyle+Terminal.o : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/String+ANSI.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Utilities/Bool+Polymorphic.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/Terminal+Command.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Command.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Runnable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Style/Console+ConsoleStyle.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Style/ConsoleStyle.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Value.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Ask.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/ConsoleStyle+Terminal.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/ConsoleColor+Terminal.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/Terminal.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Ephemeral.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/ConsoleProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Stream/FileHandle+Stream.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Stream/Pipe+Stream.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Stream/Stream.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Utilities/String+Trim.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Confirm.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Option.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Run.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Group.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Bar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Loading/Console+LoadingBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Loading/LoadingBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Progress/Console+ProgressBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Progress/ProgressBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Clear/ConsoleClear.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Center.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Color/ConsoleColor.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/ConsoleError.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Options.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Argument.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Command+Print.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Print.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/cansoykarafakili/Desktop/Hello/build/Intermediates/Hello.build/Debug/Console.build/Objects-normal/x86_64/ConsoleStyle+Terminal~partial.swiftmodule : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/String+ANSI.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Utilities/Bool+Polymorphic.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/Terminal+Command.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Command.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Runnable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Style/Console+ConsoleStyle.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Style/ConsoleStyle.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Value.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Ask.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/ConsoleStyle+Terminal.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/ConsoleColor+Terminal.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/Terminal.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Ephemeral.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/ConsoleProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Stream/FileHandle+Stream.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Stream/Pipe+Stream.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Stream/Stream.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Utilities/String+Trim.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Confirm.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Option.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Run.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Group.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Bar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Loading/Console+LoadingBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Loading/LoadingBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Progress/Console+ProgressBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Progress/ProgressBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Clear/ConsoleClear.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Center.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Color/ConsoleColor.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/ConsoleError.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Options.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Argument.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Command+Print.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Print.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/cansoykarafakili/Desktop/Hello/build/Intermediates/Hello.build/Debug/Console.build/Objects-normal/x86_64/ConsoleStyle+Terminal~partial.swiftdoc : /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/String+ANSI.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Utilities/Bool+Polymorphic.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/Terminal+Command.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Command.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Runnable.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Style/Console+ConsoleStyle.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Style/ConsoleStyle.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Value.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Ask.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/ConsoleStyle+Terminal.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/ConsoleColor+Terminal.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Terminal/Terminal.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Ephemeral.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/ConsoleProtocol.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Stream/FileHandle+Stream.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Stream/Pipe+Stream.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Stream/Stream.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Utilities/String+Trim.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Confirm.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Option.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Run.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Group.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Bar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Loading/Console+LoadingBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Loading/LoadingBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Progress/Console+ProgressBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Bar/Progress/ProgressBar.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Clear/ConsoleClear.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Center.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Color/ConsoleColor.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/ConsoleError.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Options.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Argument.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Command/Command+Print.swift /Users/cansoykarafakili/Desktop/Hello/.build/checkouts/console.git--2431895819212044213/Sources/Console/Console/Console+Print.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/cansoykarafakili/Desktop/Hello/build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /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
especially a leaf of grass or the broad portion of a leaf as distinct from the petiole a dashing young man something long and thin resembling a blade of grass a cutting or thrusting weapon that has a long metal blade and a hilt with a hand guard a cut of beef from the shoulder blade a broad flat body part (as of the shoulder or tongue) the part of the skate that slides on the ice flat surface that rotates and pushes against air or water the flat part of a tool or weapon that (usually) has a cutting edge
D
import logger = std.experimental.logger; import std.json; import std.stdio; import std.algorithm : canFind; auto plausableCompilers = ["g++", "gcc", "clang", "clang++"]; struct Compiler { string payload; alias payload this; } struct CompilationDatabase { CDBFileName name; JSONValue payload; alias payload this; } struct CDBFileName { string payload; alias payload this; } struct Command { string payload; alias payload this; } struct OutputDir { string payload; alias payload this; } struct Flags { string payload; alias payload this; } struct RuleName { string payload; alias payload this; } struct MakefileRule { RuleName name; Command command; } struct OutputFile { string payload; alias payload this; } struct Makefile { MakefileRule[] rules; RuleName[] rules_name; OutputFile[] outputs; } Compiler getCompiler(Makefile makefile) { import std.array : array; import std.algorithm : splitter; import std.conv : to; return Compiler(splitter(to!string(makefile.rules[0].command), " ").array[0]); } Compiler getCompiler(Command command) { import std.algorithm : splitter; import std.array : array; import std.conv : to; writeln("woo"); return Compiler(splitter(to!string(command), " ").array[0].splitter("/").array[$-1]); } bool isCompiler(Compiler compiler) { import std.algorithm : canFind; return plausableCompilers.canFind(compiler); } Command absPaths(Command cmd, string base) { //buildNormalizedPath import std.algorithm : splitter; import std.path : absolutePath, buildNormalizedPath; import std.conv : to; Command new_cmd; auto s = splitter(to!string(cmd), " "); foreach(flag ; s) { if(flag.length != 0 && flag[0..2] == "-I") { new_cmd.payload ~= " -I" ~ absolutePath(buildNormalizedPath(flag[2..$]), base) ~ " "; } else if(flag.length != 0 && (flag[0] == '.' || flag[1] == '/')) { new_cmd.payload ~= " " ~ absolutePath(buildNormalizedPath(flag), base) ~ " "; } else { new_cmd.payload ~= " " ~ flag ~ " "; } } return new_cmd; } OutputFile getOutputFile(Command cmd) { import std.conv : to; import std.algorithm : splitter, countUntil; import std.array : array; auto s = splitter(cmd.payload, " ").array; auto index = to!int(s.countUntil("-o")); if (index == -1) { return OutputFile(""); } return OutputFile(s[index+1]); } Command outputPurge(Command cmd) { import std.algorithm : splitter, joiner, countUntil; import std.array : array; import std.conv : to; import std.path : baseName; auto s = splitter(cmd.payload, " ").array; auto index = to!int(s.countUntil("-o")); s[index+1] = baseName(s[index+1]); return Command(to!string(s.joiner(" "))); } Command compilerEdit(Command cmd, Compiler new_cc) { import std.algorithm : splitter, joiner; import std.conv : to; import std.array : array; auto s = splitter(to!string(cmd), " ").array; s[0] = new_cc; return Command(to!string(s.joiner(" "))); } Makefile toMakefile(CompilationDatabase comp_db, Compiler cc, Flags flags, bool out_dir) { import std.path : baseName, dirName; import std.array : split; Makefile make_out; string[] rules_name; for(int i = 0; i < comp_db.array.length; i++) { RuleName name = RuleName(baseName(comp_db[i]["file"].str) ~ ".o"); Command cmd = Command(comp_db[i]["command"].str); if (make_out.rules_name.canFind(name)) { name = name.payload ~ ".pp"; } if (isCompiler(getCompiler(cmd))) { cmd = compilerEdit(Command(cmd.payload ~ flags), cc); } if (out_dir) { cmd = outputPurge(cmd); } cmd = absPaths(cmd, dirName(comp_db.name)); make_out.rules_name ~= name; make_out.rules ~= MakefileRule(name, cmd); make_out.outputs ~= getOutputFile(cmd); } return make_out; } Makefile toMakefile(CompilationDatabase comp_db, Compiler cc, bool out_dir) { import std.path : baseName, dirName; import std.array : split; Makefile make_out; string[] rules_name; for(int i = 0; i < comp_db.array.length; i++) { RuleName name = RuleName(baseName(comp_db[i]["file"].str) ~ ".o"); Command cmd = Command(comp_db[i]["command"].str); if (make_out.rules_name.canFind(name)) { name = name.payload ~ ".pp"; } if (isCompiler(getCompiler(cmd))) { cmd = compilerEdit(cmd, cc); } if (out_dir) { cmd = outputPurge(cmd); } cmd = absPaths(cmd, dirName(comp_db.name)); make_out.rules_name ~= name; make_out.rules ~= MakefileRule(name, cmd); make_out.outputs ~= getOutputFile(cmd); } return make_out; } Makefile toMakefile(CompilationDatabase comp_db, Flags flags, bool out_dir) { import std.path : baseName, dirName; import std.array : split; Makefile make_out; string[] rules_name; for(int i = 0; i < comp_db.array.length; i++) { RuleName name = RuleName(baseName(comp_db[i]["file"].str) ~ ".o"); Command cmd = Command(comp_db[i]["command"].str); if (make_out.rules_name.canFind(name)) { name = name.payload ~ ".pp"; } if (isCompiler(getCompiler(cmd))) { cmd = Command(cmd.payload ~ " " ~ flags); } if (out_dir) { cmd = outputPurge(cmd); } cmd = absPaths(cmd, dirName(comp_db.name)); make_out.rules_name ~= name; make_out.rules ~= MakefileRule(name, cmd); make_out.outputs ~= getOutputFile(cmd); } return make_out; } Makefile toMakefile(CompilationDatabase comp_db, bool out_dir) { import std.path : baseName, dirName; import std.array : split; Makefile make_out; string[] rules_name; for(int i = 0; i < comp_db.array.length; i++) { RuleName name = RuleName(baseName(comp_db[i]["file"].str) ~ ".o"); Command cmd = Command(comp_db[i]["command"].str); if (make_out.rules_name.canFind(name)) { name = name.payload ~ ".pp"; } if (out_dir) { cmd = outputPurge(cmd); } cmd = absPaths(cmd, dirName(comp_db.name)); make_out.rules_name ~= name; make_out.rules ~= MakefileRule(name, cmd); make_out.outputs ~= getOutputFile(cmd); } return make_out; } string generate(Makefile file) { import std.format : format; import std.algorithm : joiner; string out_file; out_file ~= format("all: %s\n\n", file.rules_name.joiner(" ")); foreach(rule ; file.rules) { out_file ~= format("%s:\n\t%s\n", rule.name, rule.command); } return out_file; } CompilationDatabase parse(CDBFileName file_name) { import std.file : readText; string json = readText(file_name); return CompilationDatabase(file_name, parseJSON(json)); } version(all) { int main(string[] args) { import std.file : write; import std.getopt; import std.path; string compiler; string compilation_database; string addtional_flags; string output_makefile = "Makefile"; bool output_edit = false; try { auto helpInformation = getopt( args, std.getopt.config.passThrough, "compile-db|c", "REQUIRED: compilation database to make into a Makefile", &compilation_database, "compiler|x", "OPTIONAL: Change the compiler", &compiler, "addtional-flags|f", "OPTIONAL: Additional flags to supply to the compiler", &addtional_flags, "output|o", "OPTIONAL: output file name", &output_makefile, "output-purge|p", "OPTIONAL: purges the output flag to same directory", &output_edit); if (helpInformation.helpWanted) { defaultGetoptPrinter("Usage:", helpInformation.options); return 1; } if(compilation_database.length == 0) { defaultGetoptPrinter("Usage:", helpInformation.options); return 1; } CompilationDatabase comp_db = parse(CDBFileName(compilation_database)); if (compiler.length != 0 && addtional_flags.length != 0) { write(output_makefile, (generate(toMakefile(comp_db, Compiler(compiler), Flags(addtional_flags), output_edit)))); } else if(compiler.length != 0 && addtional_flags.length == 0) { write(output_makefile, (generate(toMakefile(comp_db, Compiler(compiler), output_edit)))); } else if(compiler.length == 0 && addtional_flags.length != 0) { write(output_makefile, (generate(toMakefile(comp_db, Flags(addtional_flags), output_edit)))); } else if(compiler.length == 0 && addtional_flags.length == 0) { write(output_makefile, (generate(toMakefile(comp_db, output_edit)))); } } catch(GetOptException e) { writeln("Unknown flag in arguments..."); return 1; } return 0; } }
D
/** * @file pxipm.h * @brief Process Manager PXI service */ module ctru.services.pxipm; import ctru.types; import ctru.exheader; import ctru.services.fs; extern (C): nothrow: @nogc: /// Initializes PxiPM. Result pxiPmInit(); /// Exits PxiPM. void pxiPmExit(); /** * @brief Gets the current PxiPM session handle. * @return The current PxiPM session handle. */ Handle* pxiPmGetSessionHandle(); /** * @brief Retrives the exheader information set(s) (SCI+ACI) about a program. * @param exheaderInfos[out] Pointer to the output exheader information set. * @param programHandle The program handle. */ Result PXIPM_GetProgramInfo(ExHeader_Info* exheaderInfo, ulong programHandle); /** * @brief Loads a program and registers it to Process9. * @param programHandle[out] Pointer to the output the program handle to. * @param programInfo Information about the program to load. * @param updateInfo Information about the program update to load. */ Result PXIPM_RegisterProgram(ulong* programHandle, const(FS_ProgramInfo)* programInfo, const(FS_ProgramInfo)* updateInfo); /** * @brief Unloads a program and unregisters it from Process9. * @param programHandle The program handle. */ Result PXIPM_UnregisterProgram(ulong programHandle);
D
import std.stdio; void main(){ bool result = (a == null); }
D
/Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/FluentSQLite.build/FluentSQLiteProvider.swift.o : /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteSchema.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+SchemaSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+JoinSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+MigrationSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+TransactionSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+QuerySupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteProvider.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteError.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteTypes.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteModels.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/Exports.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteQuery.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQL.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/FluentSQL.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQLite.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Fluent.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/FluentSQLite.build/FluentSQLiteProvider~partial.swiftmodule : /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteSchema.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+SchemaSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+JoinSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+MigrationSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+TransactionSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+QuerySupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteProvider.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteError.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteTypes.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteModels.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/Exports.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteQuery.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQL.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/FluentSQL.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQLite.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Fluent.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/FluentSQLite.build/FluentSQLiteProvider~partial.swiftdoc : /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteSchema.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+SchemaSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+JoinSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+MigrationSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+TransactionSupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteDatabase+QuerySupporting.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteProvider.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteError.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteTypes.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/SQLiteModels.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/Exports.swift /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/fluent-sqlite/Sources/FluentSQLite/FluentSQLiteQuery.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQL.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/FluentSQL.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/SQLite.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/Fluent.swiftmodule /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/weirujian/Desktop/WeiRuJian/Vapor/AuthServer/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/** This module implements a generic axis-aligned bounding box (AABB). */ module gfm.math.box; import std.math, std.traits, std.conv, std.string; import gfm.math.vector, gfm.math.funcs; /// N-dimensional half-open interval [a, b[. struct Box(T, int N) { static assert(N > 0); public { alias Vector!(T, N) bound_t; bound_t min; // not enforced, the box can have negative volume bound_t max; /// Construct a box which extends between 2 points. /// Boundaries: min is inside the box, max is just outside. @nogc this(bound_t min_, bound_t max_) pure nothrow { min = min_; max = max_; } static if (N == 1) { @nogc this(T min_, T max_) pure nothrow { min.x = min_; max.x = max_; } } static if (N == 2) { @nogc this(T min_x, T min_y, T max_x, T max_y) pure nothrow { min = bound_t(min_x, min_y); max = bound_t(max_x, max_y); } } static if (N == 3) { @nogc this(T min_x, T min_y, T min_z, T max_x, T max_y, T max_z) pure nothrow { min = bound_t(min_x, min_y, min_z); max = bound_t(max_x, max_y, max_z); } } @property { /// Returns: Dimensions of the box. @nogc bound_t size() pure const nothrow { return max - min; } /// Returns: Center of the box. @nogc bound_t center() pure const nothrow { return (min + max) / 2; } /// Returns: Width of the box, always applicable. static if (N >= 1) @nogc T width() pure const nothrow @property { return max.x - min.x; } /// Returns: Height of the box, if applicable. static if (N >= 2) @nogc T height() pure const nothrow @property { return max.y - min.y; } /// Returns: Depth of the box, if applicable. static if (N >= 3) @nogc T depth() pure const nothrow @property { return max.z - min.z; } /// Returns: Signed volume of the box. @nogc T volume() pure const nothrow { T res = 1; bound_t size = size(); for(int i = 0; i < N; ++i) res *= size[i]; return res; } /// Returns: true if empty. @nogc bool empty() pure const nothrow { bound_t size = size(); mixin(generateLoopCode!("if (min[@] == max[@]) return true;", N)()); return false; } } /// Returns: true if it contains point. @nogc bool contains(bound_t point) pure const nothrow { assert(isSorted()); for(int i = 0; i < N; ++i) if ( !(point[i] >= min[i] && point[i] < max[i]) ) return false; return true; } /// Returns: true if it contains box other. @nogc bool contains(Box other) pure const nothrow { assert(isSorted()); assert(other.isSorted()); mixin(generateLoopCode!("if ( (other.min[@] < min[@]) || (other.max[@] > max[@]) ) return false;", N)()); return true; } /// Euclidean squared distance from a point. /// See_also: Numerical Recipes Third Edition (2007) @nogc real squaredDistance(bound_t point) pure const nothrow { assert(isSorted()); real distanceSquared = 0; for (int i = 0; i < N; ++i) { if (point[i] < min[i]) distanceSquared += (point[i] - min[i]) ^^ 2; if (point[i] > max[i]) distanceSquared += (point[i] - max[i]) ^^ 2; } return distanceSquared; } /// Euclidean distance from a point. /// See_also: squaredDistance. @nogc real distance(bound_t point) pure const nothrow { return sqrt(squaredDistance(point)); } /// Euclidean squared distance from another box. /// See_also: Numerical Recipes Third Edition (2007) @nogc real squaredDistance(Box o) pure const nothrow { assert(isSorted()); assert(o.isSorted()); real distanceSquared = 0; for (int i = 0; i < N; ++i) { if (o.max[i] < min[i]) distanceSquared += (o.max[i] - min[i]) ^^ 2; if (o.min[i] > max[i]) distanceSquared += (o.min[i] - max[i]) ^^ 2; } return distanceSquared; } /// Euclidean distance from another box. /// See_also: squaredDistance. @nogc real distance(Box o) pure const nothrow { return sqrt(squaredDistance(o)); } /// Assumes sorted boxes. /// This function deals with empty boxes correctly. /// Returns: Intersection of two boxes. @nogc Box intersection(Box o) pure const nothrow { assert(isSorted()); assert(o.isSorted()); // Return an empty box if one of the boxes is empty if (empty()) return this; if (o.empty()) return o; Box result = void; for (int i = 0; i < N; ++i) { T maxOfMins = (min.v[i] > o.min.v[i]) ? min.v[i] : o.min.v[i]; T minOfMaxs = (max.v[i] < o.max.v[i]) ? max.v[i] : o.max.v[i]; result.min.v[i] = maxOfMins; result.max.v[i] = minOfMaxs >= maxOfMins ? minOfMaxs : maxOfMins; } return result; } /// Assumes sorted boxes. /// This function deals with empty boxes correctly. /// Returns: Intersection of two boxes. @nogc bool intersects(Box other) pure const nothrow { Box inter = this.intersection(other); return inter.isSorted() && !inter.empty(); } /// Extends the area of this Box. @nogc Box grow(bound_t space) pure const nothrow { Box res = this; res.min -= space; res.max += space; return res; } /// Shrink the area of this Box. The box might became unsorted. @nogc Box shrink(bound_t space) pure const nothrow { return grow(-space); } /// Extends the area of this Box. @nogc Box grow(T space) pure const nothrow { return grow(bound_t(space)); } /// Translate this Box. @nogc Box translate(bound_t offset) pure const nothrow { return Box(min + offset, max + offset); } /// Shrinks the area of this Box. /// Returns: Shrinked box. @nogc Box shrink(T space) pure const nothrow { return shrink(bound_t(space)); } /// Expands the box to include point. /// Returns: Expanded box. @nogc Box expand(bound_t point) pure const nothrow { import vector = gfm.math.vector; return Box(vector.minByElem(min, point), vector.maxByElem(max, point)); } /// Expands the box to include another box. /// This function deals with empty boxes correctly. /// Returns: Expanded box. @nogc Box expand(Box other) pure const nothrow { assert(isSorted()); assert(other.isSorted()); // handle empty boxes if (empty()) return other; if (other.empty()) return this; Box result = void; for (int i = 0; i < N; ++i) { T minOfMins = (min.v[i] < other.min.v[i]) ? min.v[i] : other.min.v[i]; T maxOfMaxs = (max.v[i] > other.max.v[i]) ? max.v[i] : other.max.v[i]; result.min.v[i] = minOfMins; result.max.v[i] = maxOfMaxs; } return result; } /// Returns: true if each dimension of the box is >= 0. @nogc bool isSorted() pure const nothrow { for(int i = 0; i < N; ++i) { if (min[i] > max[i]) return false; } return true; } /// Assign with another box. @nogc ref Box opAssign(U)(U x) nothrow if (isBox!U) { static if(is(U.element_t : T)) { static if(U._size == _size) { min = x.min; max = x.max; } else { static assert(false, "no conversion between boxes with different dimensions"); } } else { static assert(false, "no conversion from " ~ U.element_t.stringof ~ " to " ~ element_t.stringof); } return this; } /// Returns: true if comparing equal boxes. @nogc bool opEquals(U)(U other) pure const nothrow if (is(U : Box)) { return (min == other.min) && (max == other.max); } /// Cast to other box types. @nogc U opCast(U)() pure const nothrow if (isBox!U) { U b = void; for(int i = 0; i < N; ++i) { b.min[i] = cast(U.element_t)(min[i]); b.max[i] = cast(U.element_t)(max[i]); } return b; // return a box where each element has been casted } static if (N == 2) { /// Helper function to create rectangle with a given point, width and height. static @nogc Box rectangle(T x, T y, T width, T height) pure nothrow { return Box(x, y, x + width, y + height); } } } private { enum _size = N; alias T element_t; } } /// Instanciate to use a 2D box. template box2(T) { alias Box!(T, 2) box2; } /// Instanciate to use a 3D box. template box3(T) { alias Box!(T, 3) box3; } alias box2!int box2i; /// 2D box with integer coordinates. alias box3!int box3i; /// 3D box with integer coordinates. alias box2!float box2f; /// 2D box with float coordinates. alias box3!float box3f; /// 3D box with float coordinates. alias box2!double box2d; /// 2D box with double coordinates. alias box3!double box3d; /// 3D box with double coordinates. unittest { box2i a = box2i(1, 2, 3, 4); assert(a.width == 2); assert(a.height == 2); assert(a.volume == 4); box2i b = box2i(vec2i(1, 2), vec2i(3, 4)); assert(a == b); box2f bf = cast(box2f)b; assert(bf == box2f(1.0f, 2.0f, 3.0f, 4.0f)); box2i c = box2i(0, 0, 1,1); assert(c.translate(vec2i(3, 3)) == box2i(3, 3, 4, 4)); assert(c.contains(vec2i(0, 0))); assert(!c.contains(vec2i(1, 1))); assert(b.contains(b)); box2i d = c.expand(vec2i(3, 3)); assert(d.contains(vec2i(2, 2))); assert(d == d.expand(d)); assert(!box2i(0, 0, 4, 4).contains(box2i(2, 2, 6, 6))); assert(box2f(0, 0, 0, 0).empty()); assert(!box2f(0, 2, 1, 1).empty()); assert(!box2f(0, 0, 1, 1).empty()); assert(box2i(260, 100, 360, 200).intersection(box2i(100, 100, 200, 200)).empty()); // union with empty box is identity assert(a.expand(box2i(10, 4, 10, 6)) == a); // intersection with empty box is empty assert(a.intersection(box2i(10, 4, 10, 6)).empty); assert(box2i.rectangle(1, 2, 3, 4) == box2i(1, 2, 4, 6)); } /// True if `T` is a kind of Box enum isBox(T) = is(T : Box!U, U...); unittest { static assert( isBox!box2f); static assert( isBox!box3d); static assert( isBox!(Box!(real, 2))); static assert(!isBox!vec2f); } /// Get the numeric type used to measure a box's dimensions. alias DimensionType(T : Box!U, U...) = U[0]; /// unittest { static assert(is(DimensionType!box2f == float)); static assert(is(DimensionType!box3d == double)); } private { static string generateLoopCode(string formatString, int N)() pure nothrow { string result; for (int i = 0; i < N; ++i) { string index = ctIntToString(i); // replace all @ by indices result ~= formatString.replace("@", index); } return result; } // Speed-up CTFE conversions static string ctIntToString(int n) pure nothrow { static immutable string[16] table = ["0", "1", "2", "3", "4", "5", "6", "7", "8", "9"]; if (n < 10) return table[n]; else return to!string(n); } }
D
/Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Switch.o : /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Deprecated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Cancelable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObserverType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Reactive.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/RecursiveLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Errors.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/AtomicInt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Event.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/First.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Linux.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKShareKit/FBSDKShareKit.modulemap /Users/MohamedNawar/Desktop/sharzein/build/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKLoginKit/FBSDKLoginKit.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/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Switch~partial.swiftmodule : /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Deprecated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Cancelable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObserverType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Reactive.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/RecursiveLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Errors.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/AtomicInt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Event.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/First.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Linux.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKShareKit/FBSDKShareKit.modulemap /Users/MohamedNawar/Desktop/sharzein/build/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKLoginKit/FBSDKLoginKit.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/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Switch~partial.swiftdoc : /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Deprecated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Cancelable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObserverType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Reactive.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/RecursiveLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Errors.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/AtomicInt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Event.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/First.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Linux.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.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/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKShareKit/FBSDKShareKit.modulemap /Users/MohamedNawar/Desktop/sharzein/build/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKLoginKit/FBSDKLoginKit.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
/++ $(H2 Level 2) $(SCRIPT inhibitQuickIndex = 1;) This is a submodule of $(MREF mir,glas). The Level 2 BLAS perform matrix-vector operations. Note: GLAS is singe thread for now. $(BOOKTABLE $(H2 Matrix-vector operations), $(TR $(TH Function Name) $(TH Description)) $(T2 gemv, general matrix-vector multiplication, $(RED partially optimized)) ) License: $(LINK2 http://boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: Ilya Yaroshenko Macros: T2=$(TR $(TDNW $(LREF $1)) $(TD $+)) SUBMODULE = $(MREF_ALTTEXT $1, mir, glas, $1) SUBREF = $(REF_ALTTEXT $(TT $2), $2, mir, glas, $1)$(NBSP) NDSLICEREF = $(REF_ALTTEXT $(TT $2), $2, mir, ndslice, $1)$(NBSP) +/ module mir.glas.l2; import std.traits; import std.meta; import std.typecons: Flag, Yes, No; import mir.math.internal; import mir.internal.utility; import mir.ndslice.slice; import mir.ndslice.algorithm : ndReduce; import mir.glas.l1; version(LDC) import ldc.attributes : fastmath; else enum fastmath; @fastmath: /++ $(RED DRAFT) Performs general matrix-vector multiplication. Pseudo_code: `y := alpha A × x + beta y`. Params: alpha = scalar asl = `m ⨉ n` matrix xsl = `n ⨉ 1` vector beta = scalar. When `beta` is supplied as zero then the vector `ysl` need not be set on input. ysl = `m ⨉ 1` vector conja = specifies if the matrix `asl` stores conjugated elements. Note: GLAS does not require transposition parameters. Use $(NDSLICEREF iteration, transposed) to perform zero cost `Slice` transposition. BLAS: SGEMV, DGEMV, (CGEMV, ZGEMV are not implemented for now) +/ nothrow @nogc @system void gemv(A, B, C) ( C alpha, Slice!(2, const(A)*) asl, Slice!(1, const(B)*) xsl, C beta, Slice!(1, C*) ysl, ) if (allSatisfy!(isNumeric, A, B, C)) in { assert(asl.length!0 == ysl.length, "constraint: asl.length!0 == ysl.length"); assert(asl.length!1 == xsl.length, "constraint: asl.length!1 == xsl.length"); } body { import mir.ndslice.iteration: reversed, transposed; static assert(is(Unqual!C == C), msgWrongType); if (asl.stride!0 < 0) { asl = asl.reversed!0; ysl = ysl.reversed; } if (asl.stride!1 < 0) { asl = asl.reversed!1; xsl = xsl.reversed; } if (ysl.empty) return; if (beta == 0) { ysl[] = 0; } else if (beta == 1) { ysl[] *= beta; } if (xsl.empty) return; do { ysl.front += alpha * dot(asl.front, xsl); asl.popFront; ysl.popFront; } while (ysl.length); } /// unittest { import mir.ndslice; auto a = slice!double(3, 5); a[] = [[-5, 1, 7, 7, -4], [-1, -5, 6, 3, -3], [-5, -2, -3, 6, 0]]; auto b = slice!double(5); b[] = [-5.0, 4.0, -4.0, -1.0, 9.0]; auto c = slice!double(3); gemv!(double, double, double)(1.0, a, b, 0.0, c); assert(c == [-42.0, -69.0, 23.0]); }
D
<?xml version="1.0" encoding="ASCII"?> <di:Diagram xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:di="http://www.w4.eu/spec/DataComposer/20120927/Diagram/DI" background="255,255,255" foreground="0,0,0" modelElement="ACED00057400077734686F74656C" gridVisible="true" snapToGrid="true" rulerVisible="true" snapToGuide="true" version="2"> <shapes background="255,255,255" foreground="0,0,0" modelElement="ACED00057400077734686F74656C" bounds="-32,16,1110,833" borderColor="0,54,0"> <shapes background="255,255,255" foreground="0,0,0" modelElement="ACED000574000B7734686F74656C43697479" bounds="763,39,120,142" borderColor="0,40,85" sourceLinks="#//@links.0"> <flowNodes modelElement="ACED000574000F7734686F74656C436974794E616D65"/> <flowNodes modelElement="ACED00057400137734686F74656C4369747950726F76696E6365"/> <flowNodes modelElement="ACED000574000C7734686F74656C4369747958"/> <flowNodes modelElement="ACED000574000C7734686F74656C4369747959"/> <flowNodes modelElement="ACED00057400147734686F74656C436974794C6F6E676974756465"/> <flowNodes modelElement="ACED00057400137734686F74656C436974794C61746974756465"/> </shapes> <shapes background="255,255,255" foreground="0,0,0" modelElement="ACED000574000D7734686F74656C436C69656E74" bounds="93,29,196,196" borderColor="0,40,85" sourceLinks="#//@links.1 #//@links.2" targetLinks="#//@links.3 #//@links.10 #//@links.12"> <flowNodes modelElement="ACED00057400137734686F74656C436C69656E744E756D626572"/> <flowNodes xsi:type="di:Shape" background="255,255,255" foreground="0,0,0" modelElement="ACED00057400127734686F74656C436C69656E745469746C65" borderColor="74,74,74" expanded="false"/> <flowNodes modelElement="ACED00057400117734686F74656C436C69656E744E616D65"/> <flowNodes modelElement="ACED00057400167734686F74656C436C69656E7446697273746E616D65"/> <flowNodes xsi:type="di:Shape" background="255,255,255" foreground="0,0,0" modelElement="ACED00057400147734686F74656C436C69656E7441646472657373" borderColor="74,74,74" expanded="false"/> <flowNodes modelElement="ACED00057400117734686F74656C436C69656E7454656C73"/> <flowNodes modelElement="ACED00057400197734686F74656C436C69656E745265736572766174696F6E73"/> <flowNodes modelElement="ACED00057400137734686F74656C436C69656E74416D6F756E74"/> <flowNodes modelElement="ACED00057400157734686F74656C436C69656E744D616E6167657273"/> </shapes> <shapes background="255,255,255" foreground="0,0,0" modelElement="ACED00057400127734686F74656C5265736572766174696F6E" bounds="498,29,237,268" borderColor="0,40,85" sourceLinks="#//@links.3 #//@links.4 #//@links.5" targetLinks="#//@links.1"> <flowNodes modelElement="ACED00057400187734686F74656C5265736572766174696F6E4E756D626572"/> <flowNodes xsi:type="di:Shape" background="255,255,255" foreground="0,0,0" modelElement="ACED00057400177734686F74656C5265736572766174696F6E5374617465" borderColor="74,74,74" expanded="false"/> <flowNodes modelElement="ACED00057400167734686F74656C5265736572766174696F6E44617465"/> <flowNodes modelElement="ACED00057400187734686F74656C5265736572766174696F6E436C69656E74"/> <flowNodes modelElement="ACED00057400197734686F74656C5265736572766174696F6E436865636B496E"/> <flowNodes modelElement="ACED000574001A7734686F74656C5265736572766174696F6E436865636B4F7574"/> <flowNodes modelElement="ACED00057400187734686F74656C5265736572766174696F6E4E6967687473"/> <flowNodes modelElement="ACED000574001F7734686F74656C5265736572766174696F6E45737461626C6973686D656E74"/> <flowNodes modelElement="ACED00057400177734686F74656C5265736572766174696F6E526F6F6D73"/> <flowNodes modelElement="ACED00057400187734686F74656C5265736572766174696F6E4164756C7473"/> <flowNodes modelElement="ACED000574001A7734686F74656C5265736572766174696F6E4368696C6472656E"/> <flowNodes modelElement="ACED000574001D7734686F74656C5265736572766174696F6E4E69676874416D6F756E74"/> <flowNodes modelElement="ACED00057400187734686F74656C5265736572766174696F6E416D6F756E74"/> </shapes> <shapes background="255,255,255" foreground="0,0,0" modelElement="ACED00057400197734686F74656C43757272656E745265736572766174696F6E" bounds="130,525,237,268" borderColor="0,40,85" sourceLinks="#//@links.6 #//@links.12 #//@links.13 #//@links.14"> <flowNodes modelElement="ACED00057400187734686F74656C5265736572766174696F6E4E756D626572"/> <flowNodes xsi:type="di:Shape" background="255,255,255" foreground="0,0,0" modelElement="ACED00057400177734686F74656C5265736572766174696F6E5374617465" borderColor="74,74,74" expanded="false"/> <flowNodes modelElement="ACED00057400167734686F74656C5265736572766174696F6E44617465"/> <flowNodes modelElement="ACED00057400187734686F74656C5265736572766174696F6E436C69656E74"/> <flowNodes modelElement="ACED00057400197734686F74656C5265736572766174696F6E436865636B496E"/> <flowNodes modelElement="ACED000574001A7734686F74656C5265736572766174696F6E436865636B4F7574"/> <flowNodes modelElement="ACED00057400187734686F74656C5265736572766174696F6E4E6967687473"/> <flowNodes modelElement="ACED000574001F7734686F74656C5265736572766174696F6E45737461626C6973686D656E74"/> <flowNodes modelElement="ACED000574001E7734686F74656C43757272656E745265736572766174696F6E526F6F6D73"/> <flowNodes modelElement="ACED00057400187734686F74656C5265736572766174696F6E4164756C7473"/> <flowNodes modelElement="ACED000574001A7734686F74656C5265736572766174696F6E4368696C6472656E"/> <flowNodes modelElement="ACED00057400247734686F74656C43757272656E745265736572766174696F6E4E69676874416D6F756E74"/> <flowNodes modelElement="ACED000574001F7734686F74656C43757272656E745265736572766174696F6E416D6F756E74"/> </shapes> <shapes background="255,255,255" foreground="0,0,0" modelElement="ACED00057400147734686F74656C45737461626C6973686D656E74" bounds="610,445,175,214" borderColor="0,40,85" sourceLinks="#//@links.7 #//@links.8" targetLinks="#//@links.4 #//@links.9 #//@links.11 #//@links.13"> <flowNodes modelElement="ACED00057400167734686F74656C45737461626C6973686D656E744964"/> <flowNodes modelElement="ACED00057400187734686F74656C45737461626C6973686D656E744E616D65"/> <flowNodes xsi:type="di:Shape" background="255,255,255" foreground="0,0,0" modelElement="ACED000574001C7734686F74656C45737461626C6973686D656E7443617465676F7279" borderColor="74,74,74" expanded="false"/> <flowNodes modelElement="ACED000574001B7734686F74656C45737461626C6973686D656E744D616E61676572"/> <flowNodes xsi:type="di:Shape" background="255,255,255" foreground="0,0,0" modelElement="ACED000574001B7734686F74656C45737461626C6973686D656E7441646472657373" borderColor="74,74,74" expanded="false"/> <flowNodes modelElement="ACED00057400177734686F74656C45737461626C6973686D656E7454656C"/> <flowNodes modelElement="ACED000574001F7734686F74656C45737461626C6973686D656E744465736372697074696F6E"/> <flowNodes modelElement="ACED000574001B7734686F74656C45737461626C6973686D656E7450696374757265"/> <flowNodes modelElement="ACED000574001F7734686F74656C45737461626C6973686D656E74526F6F6D734E756D626572"/> <flowNodes modelElement="ACED00057400197734686F74656C45737461626C6973686D656E74526F6F6D73"/> </shapes> <shapes background="255,255,255" foreground="0,0,0" modelElement="ACED000574000E7734686F74656C4D616E61676572" bounds="274,301,176,178" borderColor="0,40,85" sourceLinks="#//@links.9 #//@links.10" targetLinks="#//@links.2 #//@links.7"> <flowNodes modelElement="ACED00057400107734686F74656C4D616E616765724964"/> <flowNodes modelElement="ACED00057400167734686F74656C4D616E6167657250617373776F7264"/> <flowNodes modelElement="ACED00057400127734686F74656C4D616E616765724E616D65"/> <flowNodes modelElement="ACED00057400177734686F74656C4D616E6167657246697273746E616D65"/> <flowNodes modelElement="ACED00057400157734686F74656C4D616E6167657250696374757265"/> <flowNodes modelElement="ACED00057400127734686F74656C4D616E6167657244617465"/> <flowNodes modelElement="ACED000574001C7734686F74656C4D616E6167657245737461626C6973686D656E7473"/> <flowNodes modelElement="ACED00057400157734686F74656C4D616E61676572436C69656E7473"/> </shapes> <shapes background="255,255,255" foreground="0,0,0" modelElement="ACED000574000F7734686F74656C50726F76696E6365" bounds="930,61,120,70" borderColor="0,40,85" targetLinks="#//@links.0"> <flowNodes modelElement="ACED00057400117734686F74656C50726F76696E63654964"/> <flowNodes modelElement="ACED00057400137734686F74656C50726F76696E63654E616D65"/> </shapes> <shapes background="255,255,255" foreground="0,0,0" modelElement="ACED000574000B7734686F74656C526F6F6D" bounds="882,237,167,196" borderColor="0,40,85" sourceLinks="#//@links.11" targetLinks="#//@links.5 #//@links.6 #//@links.8"> <flowNodes modelElement="ACED000574000D7734686F74656C526F6F6D4964"/> <flowNodes modelElement="ACED00057400187734686F74656C526F6F6D45737461626C6973686D656E74"/> <flowNodes modelElement="ACED00057400117734686F74656C526F6F6D4E756D626572"/> <flowNodes xsi:type="di:Shape" background="255,255,255" foreground="0,0,0" modelElement="ACED000574000F7734686F74656C526F6F6D54797065" borderColor="74,74,74" expanded="false"/> <flowNodes modelElement="ACED000574000F7734686F74656C526F6F6D52617465"/> <flowNodes xsi:type="di:Shape" background="255,255,255" foreground="0,0,0" modelElement="ACED00057400127734686F74656C526F6F6D536D6F6B696E67" borderColor="74,74,74" expanded="false"/> <flowNodes xsi:type="di:Shape" background="255,255,255" foreground="0,0,0" modelElement="ACED000574000F7734686F74656C526F6F6D42617468" borderColor="74,74,74" expanded="false"/> <flowNodes xsi:type="di:Shape" background="255,255,255" foreground="0,0,0" modelElement="ACED00057400157734686F74656C526F6F6D45717569706D656E7473" borderColor="74,74,74" expanded="false"/> <flowNodes modelElement="ACED00057400127734686F74656C526F6F6D50696374757265"/> </shapes> </shapes> <shapes xsi:type="di:Note" background="255,255,165" foreground="0,0,0" bounds="8,480,123,49" borderColor="0,0,0" autoSize="false" targetLinks="#//@links.14" contents="Cette classe devrait h&#xe9;riter de r&#xe9;servation"/> <links background="255,255,255" foreground="0,0,0" modelElement="ACED00057400137734686F74656C4369747950726F76696E6365" sourceAnchor="(1.0,0.3333333333333333)" targetAnchor="(0.0,0.3333333333333333)" source="#//@shapes.0/@shapes.0" target="#//@shapes.0/@shapes.6"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint/> <Waypoint/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED00057400197734686F74656C436C69656E745265736572766174696F6E73" sourceAnchor="(1.0,0.3333333333333333)" targetAnchor="(0.0,0.3333333333333333)" closestRouting="false" source="#//@shapes.0/@shapes.1" target="#//@shapes.0/@shapes.2"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint yStart="-209" xEnd="56" yEnd="32"/> <Waypoint xStart="209" xEnd="56" yEnd="32"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED00057400157734686F74656C436C69656E744D616E6167657273" sourceAnchor="(1.0,0.2)" targetAnchor="(0.0,0.3333333333333333)" closestRouting="false" source="#//@shapes.0/@shapes.1" target="#//@shapes.0/@shapes.5"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0" position="3"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint yStart="-2" xEnd="96" yEnd="-124"/> <Waypoint xStart="55" yStart="53" xEnd="96" yEnd="-124"/> <Waypoint xStart="55" yStart="53" xEnd="174" yEnd="-46"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED00057400187734686F74656C5265736572766174696F6E436C69656E74" sourceAnchor="(1.0,0.3333333333333333)" targetAnchor="(0.0,0.3333333333333333)" closestRouting="false" source="#//@shapes.0/@shapes.2" target="#//@shapes.0/@shapes.1"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint xStart="-237" yStart="405" xEnd="-22" yEnd="2"/> <Waypoint xStart="-446" yStart="196" xEnd="-22" yEnd="2"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED000574001F7734686F74656C5265736572766174696F6E45737461626C6973686D656E74" sourceAnchor="(1.0,0.2)" targetAnchor="(0.0,0.3333333333333333)" closestRouting="false" source="#//@shapes.0/@shapes.2" target="#//@shapes.0/@shapes.4"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint xStart="-43" yStart="82" xEnd="213" yEnd="-220"/> <Waypoint xStart="-43" yStart="82" xEnd="363" yEnd="-70"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED00057400177734686F74656C5265736572766174696F6E526F6F6D73" sourceAnchor="(1.0,0.14285714285714285)" targetAnchor="(0.0,0.3333333333333333)" closestRouting="false" source="#//@shapes.0/@shapes.2" target="#//@shapes.0/@shapes.7"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint yStart="-147" xEnd="195" yEnd="-40"/> <Waypoint xStart="147" xEnd="195" yEnd="-40"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED000574001E7734686F74656C43757272656E745265736572766174696F6E526F6F6D73" sourceAnchor="(1.0,0.3333333333333333)" targetAnchor="(0.0,0.2)" closestRouting="false" source="#//@shapes.0/@shapes.3" target="#//@shapes.0/@shapes.7"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint yStart="-515" xEnd="96" yEnd="434"/> <Waypoint xStart="601" yStart="86" xEnd="96" yEnd="434"/> <Waypoint xStart="601" yStart="86" xEnd="-182" yEnd="156"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED000574001B7734686F74656C45737461626C6973686D656E744D616E61676572" sourceAnchor="(1.0,0.3333333333333333)" targetAnchor="(0.0,0.2)" closestRouting="false" source="#//@shapes.0/@shapes.4" target="#//@shapes.0/@shapes.5"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint xStart="-153" yStart="358" xEnd="-70" yEnd="109"/> <Waypoint xStart="-153" yStart="358" xEnd="-123" yEnd="56"/> <Waypoint xStart="-335" yStart="176" xEnd="-123" yEnd="56"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED00057400197734686F74656C45737461626C6973686D656E74526F6F6D73" sourceAnchor="(1.0,0.2)" targetAnchor="(0.0,0.14285714285714285)" closestRouting="false" source="#//@shapes.0/@shapes.4" target="#//@shapes.0/@shapes.7"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint yStart="-97" xEnd="-3" yEnd="220"/> <Waypoint xStart="126" yStart="29" xEnd="-3" yEnd="220"/> <Waypoint xStart="126" yStart="29" xEnd="-56" yEnd="167"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED000574001C7734686F74656C4D616E6167657245737461626C6973686D656E7473" sourceAnchor="(1.0,0.3333333333333333)" targetAnchor="(0.0,0.2)" closestRouting="false" source="#//@shapes.0/@shapes.5" target="#//@shapes.0/@shapes.4"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint xStart="-35" yStart="-195" xEnd="118" yEnd="-10"/> <Waypoint xStart="-35" yStart="-195" xEnd="155" yEnd="27"/> <Waypoint xStart="160" xEnd="155" yEnd="27"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED00057400157734686F74656C4D616E61676572436C69656E7473" sourceAnchor="(1.0,0.2)" targetAnchor="(0.0,0.2)" closestRouting="false" source="#//@shapes.0/@shapes.5" target="#//@shapes.0/@shapes.1"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0" position="3"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint xStart="-176" yStart="197" xEnd="57" yEnd="262"/> <Waypoint xStart="-233" yStart="140" xEnd="57" yEnd="262"/> <Waypoint xStart="-233" yStart="140" xEnd="-49" yEnd="156"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED00057400187734686F74656C526F6F6D45737461626C6973686D656E74" sourceAnchor="(1.0,0.3333333333333333)" targetAnchor="(0.0,0.14285714285714285)" closestRouting="false" source="#//@shapes.0/@shapes.7" target="#//@shapes.0/@shapes.4"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint xStart="-167" yStart="272" xEnd="66" yEnd="-108"/> <Waypoint xStart="-286" yStart="153" xEnd="66" yEnd="-108"/> <Waypoint xStart="-286" yStart="153" xEnd="144" yEnd="-30"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED00057400187734686F74656C5265736572766174696F6E436C69656E74" sourceAnchor="(1.0,0.2)" targetAnchor="(0.0,0.14285714285714285)" closestRouting="false" source="#//@shapes.0/@shapes.3" target="#//@shapes.0/@shapes.1"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint xStart="-175" yStart="99" xEnd="-53" yEnd="469"/> <Waypoint xStart="-175" yStart="99" xEnd="-355" yEnd="167"/> </links> <links background="255,255,255" foreground="0,0,0" modelElement="ACED000574001F7734686F74656C5265736572766174696F6E45737461626C6973686D656E74" sourceAnchor="(1.0,0.14285714285714285)" targetAnchor="(0.0,0.1111111111111111)" closestRouting="false" source="#//@shapes.0/@shapes.3" target="#//@shapes.0/@shapes.4"> <sourceCard/> <labelCard background="255,255,255" foreground="0,0,0"/> <targetCard background="255,255,255" foreground="0,0,0"/> <Waypoint yStart="-243" xEnd="33" yEnd="128"/> <Waypoint xStart="243" xEnd="33" yEnd="128"/> </links> <links xsi:type="di:NoteAttachment" background="255,255,255" foreground="0,0,0" targetAnchor="(0.0,0.0)" routerType="Oblique" source="#//@shapes.0/@shapes.3" target="#//@shapes.1"> <Waypoint/> <Waypoint/> </links> <Grid color="230,230,230"/> <VerticalRuler/> <HorizontalRuler/> </di:Diagram>
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric; void main() { auto X = readln.chomp.to!int; auto ns = new bool[](100004); foreach (i; 2..100004) { if (ns[i]) continue; if (i >= X) { writeln(i); return; } auto j = i*2; while (j < 100004) { ns[j] = true; j += i; } } }
D
#H: H1,H2,H3,H4. #M: 0,1,2,3,4,5,6. #T: T0,T2,T3,T4,T5,T36. #V: 0,1,2,5,6,7,8,9,10,11,12,13,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,32,33,34,35,36,37,38,39,40,41. *reachableM(M) 0 4 2 6 1 5 3 . *VH(V,H) 0,H4 0,H2 0,H1 0,H3 32,H3 16,H3 8,H2 40,H3 24,H2 36,H3 20,H4 12,H3 28,H3 2,H4 2,H2 34,H2 34,H1 34,H3 18,H2 18,H3 10,H2 26,H4 26,H2 6,H1 38,H3 22,H4 1,H3 33,H2 17,H2 17,H3 9,H2 41,H4 41,H2 41,H1 41,H3 25,H4 25,H2 5,H1 37,H3 21,H4 13,H3 29,H1 29,H3 35,H3 19,H2 19,H3 11,H3 27,H4 27,H2 7,H1 39,H3 23,H4 15,H2 . *HT(H,T) H4,T4 H2,T4 H1,T2 H3,T3 . *McheckCastInst(M,V,T,V) 4,18,T2,17 4,26,T4,25 4,30,T4,29 4,35,T3,34 4,39,T3,38 . reachableCast(T,V) T3,34 T3,38 T2,17 T4,25 T4,29 . ptsVT(V,T) 0,T4 0,T2 0,T3 32,T3 16,T3 8,T4 40,T3 24,T4 36,T3 20,T4 12,T3 28,T3 2,T4 34,T4 34,T2 34,T3 18,T4 18,T3 10,T4 26,T4 6,T2 38,T3 22,T4 1,T3 33,T4 17,T4 17,T3 9,T4 41,T4 41,T2 41,T3 25,T4 5,T2 37,T3 21,T4 13,T3 29,T2 29,T3 35,T3 19,T4 19,T3 11,T3 27,T4 7,T2 39,T3 23,T4 15,T4 . unsafeDowncast(V,T) 34,T3 29,T4 . *notSub(T,T) T0,T0 T2,T0 T2,T3 T2,T4 T2,T5 T3,T0 T3,T4 T3,T5 T4,T0 T4,T3 T4,T5 T5,T0 T5,T2 T5,T3 T5,T4 T36,T0 T36,T2 T36,T3 T36,T4 T36,T5 . badCast(V,T) 0,T0 34,T0 6,T0 41,T0 5,T0 29,T0 7,T0 0,T3 34,T3 6,T3 41,T3 5,T3 29,T3 7,T3 0,T4 34,T4 6,T4 41,T4 5,T4 29,T4 7,T4 0,T5 34,T5 6,T5 41,T5 5,T5 29,T5 7,T5 32,T0 16,T0 40,T0 36,T0 12,T0 28,T0 18,T0 38,T0 1,T0 17,T0 37,T0 13,T0 35,T0 19,T0 11,T0 39,T0 32,T4 16,T4 40,T4 36,T4 12,T4 28,T4 18,T4 38,T4 1,T4 17,T4 37,T4 13,T4 35,T4 19,T4 11,T4 39,T4 32,T5 16,T5 40,T5 36,T5 12,T5 28,T5 18,T5 38,T5 1,T5 17,T5 37,T5 13,T5 35,T5 19,T5 11,T5 39,T5 8,T0 24,T0 20,T0 2,T0 10,T0 26,T0 22,T0 33,T0 9,T0 25,T0 21,T0 27,T0 23,T0 15,T0 8,T3 24,T3 20,T3 2,T3 18,T3 10,T3 26,T3 22,T3 33,T3 17,T3 9,T3 25,T3 21,T3 19,T3 27,T3 23,T3 15,T3 8,T5 24,T5 20,T5 2,T5 10,T5 26,T5 22,T5 33,T5 9,T5 25,T5 21,T5 27,T5 23,T5 15,T5 .
D
/Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Intermediates.noindex/MessView.build/Debug-iphonesimulator/MessView.build/Objects-normal/x86_64/ChatMessageCell.o : /Users/gbs/Xcode/MessView/MessView/Model/Message.swift /Users/gbs/Xcode/MessView/MessView/Controller/NewMessage.swift /Users/gbs/Xcode/MessView/MessView/AppDelegate.swift /Users/gbs/Xcode/MessView/MessView/View/ChatLog.swift /Users/gbs/Xcode/MessView/MessView/View/ChatMessageCell.swift /Users/gbs/Xcode/MessView/MessView/View/UserListCell.swift /Users/gbs/Xcode/MessView/MessView/Controller/Loggin.swift /Users/gbs/Xcode/MessView/MessView/Controller/Registration.swift /Users/gbs/Xcode/MessView/MessView/Controller/ChatLogController.swift /Users/gbs/Xcode/MessView/MessView/Model/User.swift /Users/gbs/Xcode/MessView/MessView/Extensions/StringExtensions.swift /Users/gbs/Xcode/MessView/MessView/Extensions/DateFormatters.swift /Users/gbs/Xcode/MessView/MessView/Controller/MessageView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotesc /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/Kingfisher.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/gbs/Xcode/MessView/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/gbs/Xcode/MessView/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/lottie-ios-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationCache.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/Lottie.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/gbs/Xcode/MessView/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTValueDelegate.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimatedSwitch.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTKeypath.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTValueCallback.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTBlockCallback.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTInterpolatorCallback.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimatedControl.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTComposition.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTCacheProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationTransitionController.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationView_Compat.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-Swift.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationView.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/gbs/Xcode/MessView/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/gbs/Xcode/MessView/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Intermediates.noindex/MessView.build/Debug-iphonesimulator/MessView.build/Objects-normal/x86_64/ChatMessageCell~partial.swiftmodule : /Users/gbs/Xcode/MessView/MessView/Model/Message.swift /Users/gbs/Xcode/MessView/MessView/Controller/NewMessage.swift /Users/gbs/Xcode/MessView/MessView/AppDelegate.swift /Users/gbs/Xcode/MessView/MessView/View/ChatLog.swift /Users/gbs/Xcode/MessView/MessView/View/ChatMessageCell.swift /Users/gbs/Xcode/MessView/MessView/View/UserListCell.swift /Users/gbs/Xcode/MessView/MessView/Controller/Loggin.swift /Users/gbs/Xcode/MessView/MessView/Controller/Registration.swift /Users/gbs/Xcode/MessView/MessView/Controller/ChatLogController.swift /Users/gbs/Xcode/MessView/MessView/Model/User.swift /Users/gbs/Xcode/MessView/MessView/Extensions/StringExtensions.swift /Users/gbs/Xcode/MessView/MessView/Extensions/DateFormatters.swift /Users/gbs/Xcode/MessView/MessView/Controller/MessageView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotesc /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/Kingfisher.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/gbs/Xcode/MessView/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/gbs/Xcode/MessView/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/lottie-ios-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationCache.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/Lottie.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/gbs/Xcode/MessView/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTValueDelegate.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimatedSwitch.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTKeypath.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTValueCallback.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTBlockCallback.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTInterpolatorCallback.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimatedControl.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTComposition.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTCacheProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationTransitionController.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationView_Compat.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-Swift.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationView.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/gbs/Xcode/MessView/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/gbs/Xcode/MessView/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Intermediates.noindex/MessView.build/Debug-iphonesimulator/MessView.build/Objects-normal/x86_64/ChatMessageCell~partial.swiftdoc : /Users/gbs/Xcode/MessView/MessView/Model/Message.swift /Users/gbs/Xcode/MessView/MessView/Controller/NewMessage.swift /Users/gbs/Xcode/MessView/MessView/AppDelegate.swift /Users/gbs/Xcode/MessView/MessView/View/ChatLog.swift /Users/gbs/Xcode/MessView/MessView/View/ChatMessageCell.swift /Users/gbs/Xcode/MessView/MessView/View/UserListCell.swift /Users/gbs/Xcode/MessView/MessView/Controller/Loggin.swift /Users/gbs/Xcode/MessView/MessView/Controller/Registration.swift /Users/gbs/Xcode/MessView/MessView/Controller/ChatLogController.swift /Users/gbs/Xcode/MessView/MessView/Model/User.swift /Users/gbs/Xcode/MessView/MessView/Extensions/StringExtensions.swift /Users/gbs/Xcode/MessView/MessView/Extensions/DateFormatters.swift /Users/gbs/Xcode/MessView/MessView/Controller/MessageView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.apinotesc /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/Kingfisher.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Accelerate.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/os.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/gbs/Xcode/MessView/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/gbs/Xcode/MessView/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/lottie-ios-umbrella.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserMetadata.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorage.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationCache.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/Lottie.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthAPNSTokenType.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FirebaseCore.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/gbs/Xcode/MessView/Pods/Firebase/CoreOnly/Sources/Firebase.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthUIDelegate.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTValueDelegate.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimatedSwitch.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTKeypath.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuth.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTValueCallback.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTBlockCallback.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTInterpolatorCallback.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthCredential.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimatedControl.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTComposition.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAdditionalUserInfo.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIRApp.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTCacheProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIROAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRPhoneAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIREmailAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationTransitionController.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRUser.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRActionCodeSettings.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthSettings.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers/FIROptions.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationView_Compat.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-Swift.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthDataResult.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Headers/FIRAuthTokenResult.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Headers/LOTAnimationView.h /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/gbs/Xcode/MessView/Pods/Firebase/CoreOnly/Sources/module.modulemap /Users/gbs/Xcode/MessView/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseStorage/FirebaseStorage.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/lottie-ios/Lottie.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseDatabase/FirebaseDatabase.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/FirebaseAuth/FirebaseAuth.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/DerivedData/MessView/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/module.modulemap /Users/gbs/Xcode/MessView/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Accelerate.framework/Headers/Accelerate.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
a window sash that is hinged (usually on one side)
D
/Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/.build/debug/Jay.build/ObjectParser.swift.o : /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ArrayParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/BooleanParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ByteReader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/CommentParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Consts.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Error.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Extensions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Formatter.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Jay.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeTypeConversions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NullParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NumberParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ObjectParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/OutputStream.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Parser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Reader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/RootParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/StringParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Types.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/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/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/.build/debug/Jay.build/ObjectParser~partial.swiftmodule : /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ArrayParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/BooleanParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ByteReader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/CommentParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Consts.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Error.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Extensions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Formatter.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Jay.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeTypeConversions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NullParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NumberParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ObjectParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/OutputStream.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Parser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Reader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/RootParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/StringParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Types.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/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/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/.build/debug/Jay.build/ObjectParser~partial.swiftdoc : /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ArrayParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/BooleanParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ByteReader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/CommentParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Consts.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Error.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Extensions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Formatter.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Jay.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeTypeConversions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NullParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NumberParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ObjectParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/OutputStream.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Parser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Reader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/RootParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/StringParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Types.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/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/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule
D
instance DIA_BAALPARVEZ_EXIT(C_Info) { npc = gur_8004_parvez; nr = 999; condition = dia_baalparvez_exit_condition; information = dia_baalparvez_exit_info; permanent = TRUE; description = Dialog_Ende; }; func int dia_baalparvez_exit_condition() { return TRUE; }; func void dia_baalparvez_exit_info() { AI_StopProcessInfos(self); }; instance dia_baalparvez_PICKPOCKET(C_Info) { npc = gur_8004_parvez; nr = 900; condition = dia_baalparvez_PICKPOCKET_Condition; information = dia_baalparvez_PICKPOCKET_Info; permanent = TRUE; description = PICKPOCKET_COMM; }; func int dia_baalparvez_PICKPOCKET_Condition() { return C_Beklauen(49,35); }; func void dia_baalparvez_PICKPOCKET_Info() { Info_ClearChoices(dia_baalparvez_PICKPOCKET); Info_AddChoice(dia_baalparvez_PICKPOCKET,Dialog_Back,dia_baalparvez_PICKPOCKET_BACK); Info_AddChoice(dia_baalparvez_PICKPOCKET,DIALOG_PICKPOCKET,dia_baalparvez_PICKPOCKET_DoIt); }; func void dia_baalparvez_PICKPOCKET_DoIt() { B_Beklauen(); Info_ClearChoices(dia_baalparvez_PICKPOCKET); }; func void dia_baalparvez_PICKPOCKET_BACK() { Info_ClearChoices(dia_baalparvez_PICKPOCKET); }; instance DIA_BAALPARVEZ_NOTALK_SLEEPER(C_Info) { npc = gur_8004_parvez; nr = 1; condition = dia_baalparvez_notalk_sleeper_condition; information = dia_baalparvez_notalk_sleeper_info; permanent = FALSE; important = FALSE; description = "Да пребудет с тобой Спящий!"; }; func int dia_baalparvez_notalk_sleeper_condition() { if((IDOLPARVEZ_YES == FALSE) && ((other.guild == GIL_NONE) || (other.guild == GIL_SEK))) { return TRUE; }; }; func void dia_baalparvez_notalk_sleeper_info() { AI_Output(other,self,"DIA_BaalParvez_NoTalk_Sleeper_01_00"); //Да пребудет с тобой Спящий! AI_Output(self,other,"DIA_BaalParvez_NoTalk_Sleeper_01_01"); //(вздох) AI_StopProcessInfos(self); }; instance DIA_BAALPARVEZ_NOTALK_IMP(C_Info) { npc = gur_8004_parvez; nr = 1; condition = dia_baalparvez_notalk_imp_condition; information = dia_baalparvez_notalk_imp_info; permanent = TRUE; important = FALSE; description = "Все в порядке, приятель?"; }; func int dia_baalparvez_notalk_imp_condition() { if((IDOLPARVEZ_YES == FALSE) && ((other.guild == GIL_NONE) || (other.guild == GIL_SEK))) { return TRUE; }; }; func void dia_baalparvez_notalk_imp_info() { AI_Output(other,self,"DIA_BaalParvez_NoTalk_Imp_01_00"); //Все в порядке, приятель? AI_Output(self,other,"DIA_BaalParvez_NoTalk_Sleeper_01_01"); //(вздох) AI_StopProcessInfos(self); }; instance DIA_BAALPARVEZ_SPECIALJOINT(C_Info) { npc = gur_8004_parvez; nr = 1; condition = dia_baalparvez_specialjoint_condition; information = dia_baalparvez_specialjoint_info; permanent = TRUE; important = FALSE; description = "(предложить приготовленный 'Зов Сна')"; }; func int dia_baalparvez_specialjoint_condition() { if((IDOLPARVEZ_YES == FALSE) && (CANBEGURU == TRUE) && (other.guild == GIL_SEK) && (Npc_HasItems(other,itmi_specialjoint) >= 1)) { return TRUE; }; }; func void dia_baalparvez_specialjoint_info() { AI_Output(other,self,"DIA_BaalParvez_SpecialJoint_01_00"); //Вот, господин мой, - примите сей скромный дар от вашего верного ученика. AI_StopProcessInfos(self); B_GiveInvItems(other,self,itmi_specialjoint,1); if(C_BodyStateContains(self,BS_SIT)) { AI_Standup(self); AI_TurnToNPC(self,other); }; AI_UseItem(self,itmi_specialjoint); AI_Output(self,other,"DIA_BaalParvez_SpecialJoint_01_01"); //Мммм... IDOLPARVEZ_YES = TRUE; Npc_SetRefuseTalk(self,5); hero.aivar[AIV_INVINCIBLE] = FALSE; }; instance DIA_BAALPARVEZ_SPECIALJOINTOK(C_Info) { npc = gur_8004_parvez; nr = 1; condition = dia_baalparvez_specialjointok_condition; information = dia_baalparvez_specialjointok_info; permanent = FALSE; important = TRUE; }; func int dia_baalparvez_specialjointok_condition() { if((IDOLPARVEZ_YES == TRUE) && (other.guild == GIL_SEK)) { return TRUE; }; }; func void dia_baalparvez_specialjointok_info() { AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_00"); //Во имя Спящего! Меня посетило видение! AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_01"); //Это было невероятно! Я видел, что мы встретили нового брата, который был не похож на всех тех, что были до него. AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_02"); //Он что-то делал для нас... В руке у него был меч, и он спускался по широкой лестнице. На этом видение закончилось. AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_03"); //Он был очень похож на ТЕБЯ. Кто ты? Что тебе нужно? AI_Output(other,self,"DIA_BaalParvez_SpecialJointOk_01_04"); //Я бы хотел присоединиться к Братству и прошу вашего согласия, господин. AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_05"); //Хмм...(пристально смотрит) Кто послал тебя ко мне? AI_Output(other,self,"DIA_BaalParvez_SpecialJointOk_01_06"); //Меня послал Идол Оран. Он сказал, что я должен получить на то ваше одобрение. AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_07"); //Что же, если тебя прислал Идол Оран, - это вполне возможно. AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_08"); //Окажи мне одну услугу. Докажи свою преданность, и тогда я дам свое согласие на то, чтобы ты стал одним из нас. AI_Output(other,self,"DIA_BaalParvez_SpecialJointOk_01_09"); //Как я могу доказать свою преданность? AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_10"); //Больше всего мы нуждаемся в новых душах, постигших истину и вступивших в Круг Братства. AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_11"); //Если ты убедишь одного из неверных присоединиться к нашему Лагерю, этим ты докажешь свое стремление служить Братству. AI_Output(other,self,"DIA_BaalParvez_SpecialJointOk_01_12"); //Где мне найти такого человека? AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_13"); //В городе много людей, которые устали от страха и лжи. Души их жаждут просветления и поддержки. AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_14"); //Думаю, тебе стоит поискать его именно здесь. В других местах ты едва ли добьешься успеха. Там живут настоящие варвары. AI_Output(self,other,"DIA_BaalParvez_SpecialJointOk_01_15"); //Возвращайся ко мне, когда твои поиски подойдут к концу. Log_CreateTopic(TOPIC_NOVICECANJOIN,LOG_MISSION); Log_SetTopicStatus(TOPIC_NOVICECANJOIN,LOG_Running); B_LogEntry(TOPIC_NOVICECANJOIN,"Идол Парвез попросил меня привести к нему нового послушника. Это хороший шанс заслужить его расположение."); MIS_NOVICECANJOIN = LOG_Running; }; instance DIA_BAALPARVEZ_VALENTINOJOIN(C_Info) { npc = gur_8004_parvez; nr = 1; condition = dia_baalparvez_valentinojoin_condition; information = dia_baalparvez_valentinojoin_info; permanent = FALSE; important = FALSE; description = "Этот человек ищет твоего расположения, господин!"; }; func int dia_baalparvez_valentinojoin_condition() { var C_Npc Valentino; Valentino = Hlp_GetNpc(VLK_421_Valentino); if((MIS_NOVICECANJOIN == LOG_Running) && (other.guild == GIL_SEK) && (Npc_GetDistToNpc(self,Valentino) < 500)) { return TRUE; }; }; func void dia_baalparvez_valentinojoin_info() { var C_Npc Valentino; Valentino = Hlp_GetNpc(VLK_421_Valentino); Valentino.aivar[AIV_PARTYMEMBER] = FALSE; AI_GotoNpc(Valentino,self); AI_TurnToNPC(Valentino,self); AI_Output(other,self,"DIA_BaalParvez_ValentinoJoin_01_00"); //Этот человек ищет твоего расположения, господин! AI_Output(self,other,"DIA_BaalParvez_ValentinoJoin_01_01"); //Кого ты привел ко мне? Достоин ли он? AI_Output(other,self,"DIA_BaalParvez_ValentinoJoin_01_02"); //Он нуждается в духовном наставнике. AI_Output(self,other,"DIA_BaalParvez_ValentinoJoin_01_03"); //Очень хорошо. С этого момента он будет одним из моих учеников. AI_TurnToNPC(self,Valentino); AI_TurnToNPC(Valentino,self); AI_Output(self,other,"DIA_BaalParvez_ValentinoJoin_01_04"); //Ты будешь приходить ко мне каждый день и слушать то, что я скажу тебе. Твоя душа еще может быть спасена. AI_TurnToNPC(self,other); Npc_ExchangeRoutine(VLK_421_Valentino,"JoinPsiCamp"); Npc_ExchangeRoutine(gur_8004_parvez,"JoinPsiCamp"); MIS_NOVICECANJOIN = LOG_SUCCESS; Log_SetTopicStatus(TOPIC_NOVICECANJOIN,LOG_SUCCESS); B_LogEntry(TOPIC_NOVICECANJOIN,"Валентино теперь является учеником Идола Парвеза. Я выполнил поручение Гуру."); B_GivePlayerXP(250); }; instance DIA_BAALPARVEZ_AGREED(C_Info) { npc = gur_8004_parvez; nr = 1; condition = dia_baalparvez_agreed_condition; information = dia_baalparvez_agreed_info; permanent = FALSE; important = FALSE; description = "Господин! Я хочу стать одним из Гуру."; }; func int dia_baalparvez_agreed_condition() { if((MIS_NOVICECANJOIN == LOG_SUCCESS) && (PARVEZAGREED == FALSE)) { return TRUE; }; }; func void dia_baalparvez_agreed_info() { B_GivePlayerXP(200); AI_Output(other,self,"DIA_BaalParvez_Agreed_01_00"); //Господин! Я хочу стать одним из Гуру. AI_Output(self,other,"DIA_BaalParvez_Agreed_01_01"); //Хорошо. Ты доказал, что достоин этой чести! AI_Output(self,other,"DIA_BaalParvez_Agreed_01_02"); //Иди к Идолу Орану. AI_Output(self,other,"DIA_BaalParvez_Agreed_01_03"); //Теперь оставь меня. Мне нужно многое обсудить со своим новым учеником. AI_TurnToNPC(self,VLK_421_Valentino); AI_Output(self,other,"DIA_BaalParvez_Agreed_01_04"); //Следуй за мной, мой ученик. B_LogEntry(TOPIC_PSICAMPJOIN,"Идол Парвез согласен на мое принятие в Круг Гуру."); PARVEZAGREED = TRUE; AI_StopProcessInfos(self); }; instance DIA_BAALPARVEZ_RUNEMAGICNOTWORK(C_Info) { npc = gur_8004_parvez; nr = 1; condition = dia_baalparvez_runemagicnotwork_condition; information = dia_baalparvez_runemagicnotwork_info; permanent = FALSE; description = "Как обстоят дела с вашей магией?"; }; func int dia_baalparvez_runemagicnotwork_condition() { if((STOPBIGBATTLE == TRUE) && (MIS_RUNEMAGICNOTWORK == LOG_Running) && (GURUMAGERUNESNOT == FALSE)) { return TRUE; }; }; func void dia_baalparvez_runemagicnotwork_info() { B_GivePlayerXP(200); AI_Output(other,self,"DIA_BaalParvez_RuneMagicNotWork_01_00"); //Как обстоят дела с вашей магией? AI_Output(self,other,"DIA_BaalParvez_RuneMagicNotWork_01_01"); //Наши магические руны ослабли и более не способны творить заклинания! AI_Output(self,other,"DIA_BaalParvez_RuneMagicNotWork_01_02"); //Мы все крайне удивлены этому обстоятельству, но ничего не можем сделать. AI_Output(self,other,"DIA_BaalParvez_RuneMagicNotWork_01_03"); //Все это довольно странно. B_LogEntry(TOPIC_RUNEMAGICNOTWORK,"Гуру Братства также лишились власти над магией рун!"); GURUMAGERUNESNOT = TRUE; }; instance DIA_BaalParvez_PrioratStart(C_Info) { npc = gur_8004_parvez; nr = 1; condition = DIA_BaalParvez_PrioratStart_condition; information = DIA_BaalParvez_PrioratStart_info; permanent = FALSE; description = "Меня прислал Идол Намиб."; }; func int DIA_BaalParvez_PrioratStart_condition() { if(MIS_PrioratStart == LOG_Running) { return TRUE; }; }; func void DIA_BaalParvez_PrioratStart_info() { B_GivePlayerXP(150); AI_Output(other,self,"DIA_BaalParvez_PrioratStart_01_00"); //Меня прислал Идол Намиб. AI_Output(self,other,"DIA_BaalParvez_PrioratStart_01_01"); //(вздох) AI_Output(other,self,"DIA_BaalParvez_PrioratStart_01_02"); //Дело касается пропавших послушников Братства. Ты ничего не знаешь об этом? AI_Output(self,other,"DIA_BaalParvez_PrioratStart_01_03"); //Ну, раз ты в курсе происходящего, значит, Намиб тебе действительно доверяет. AI_Output(self,other,"DIA_BaalParvez_PrioratStart_01_04"); //Отвечая на твой вопрос, я могу сказать тебе лишь одно - в городе их нет. AI_Output(other,self,"DIA_BaalParvez_PrioratStart_01_05"); //Ты в этом уверен? AI_Output(self,other,"DIA_BaalParvez_PrioratStart_01_06"); //Абсолютно! Они никогда бы не прошли мимо городской стражи незамеченными. Уж я бы об этом точно знал. AI_Output(self,other,"DIA_BaalParvez_PrioratStart_01_07"); //Однако, если ты мне не веришь, то можешь поискать их сам. AI_Output(other,self,"DIA_BaalParvez_PrioratStart_01_08"); //Хорошо, я передам Идолу Намибу твои слова. Прощай! AI_Output(self,other,"DIA_BaalParvez_PrioratStart_01_09"); //(вздох) PsiCamp_04_Ok = TRUE; B_LogEntry(TOPIC_PrioratStart,"По словам Идола Парвеза, в городе пропавшие послушники не появлялись."); };
D
module wx.EraseEvent; public import wx.common; public import wx.Event; public import wx.DC; //! \cond EXTERN extern (C) ЦелУкз wxEraseEvent_ctor(цел ид, ЦелУкз ку); extern (C) ЦелУкз wxEraseEvent_GetDC(ЦелУкз сам); //! \endcond //----------------------------------------------------------------------------- export class СобытиеСтирания : Событие { export this(ЦелУкз вхобъ) { super(вхобъ); } export this(цел ид=0, КонтекстУстройства ку = пусто) { this(wxEraseEvent_ctor(ид,ВизОбъект.безопУк(ку))); } //----------------------------------------------------------------------------- export КонтекстУстройства дайКУ() { return cast(КонтекстУстройства)найдиОбъект(wxEraseEvent_GetDC(вхобъ), &КонтекстУстройства.Нов); } private static Событие Нов(ЦелУкз объ) { return new СобытиеСтирания(объ); } static this() { добавьТипСоб(super.Тип.СОБ_СОТРИ_ФОН, &СобытиеСтирания.Нов); } }
D
instance VLK_4201_Buddler (Npc_Default) { //-------- primary data -------- name = Name_Buddler; npctype = npctype_mine_ambient; guild = GIL_VLK; level = 5; voice = 3; id = 590; //-------- abilities -------- attribute[ATR_STRENGTH] = 25; attribute[ATR_DEXTERITY] = 15; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; attribute[ATR_HITPOINTS_MAX] = 100; attribute[ATR_HITPOINTS] = 100; //-------- visuals -------- // animations Mdl_SetVisual (self,"HUMANS.MDS"); Mdl_ApplyOverlayMds (self,"Humans_Tired.mds"); // body mesh,head mesh,hairmesh,face-tex,hair-tex,skin Mdl_SetVisualBody (self,"hum_body_Naked0",3,1,"Hum_Head_Fighter",73,1,VLK_ARMOR_L); B_Scale (self); Mdl_SetModelFatness (self,0); fight_tactic = FAI_HUMAN_COWARD; //-------- Talents -------- //-------- inventory -------- EquipItem (self,ALL_MW_02); CreateInvItem (self,ItMwPickaxe); CreateInvItem (self,ItFoLoaf); CreateInvItem (self,ItFoBeer); CreateInvItem (self,ItLsTorch); //-------------Daily Routine------------- /*B_InitNPCAddins(self);*/ daily_routine = Rtn_start_4201; }; FUNC VOID Rtn_start_4201 () { TA_StandAround (07,00,21,00,"OCR_HUT_Z4"); TA_StandAround (21,00,07,00,"OCR_HUT_Z4"); };
D
module perfontain.managers.gui.scroll; import std.algorithm, perfontain, perfontain.managers.gui.scroll.bar; public import perfontain.managers.gui.scroll.text; final: // class Scrolled : GUIElement // { // this(GUIElement parent, Vector2s sz, ushort h) // { // super(parent, Vector2s(SCROLL_ARROW_SZ.x, sz.y * h), Win.captureFocus); // new Table(this, sz); // onCountChanged.permanent(&makeBar); // } // override void onResize() // { // if (sbar) // { // sbar.moveX(POS_MAX); // } // } // override bool onWheel(Vector2s v) // { // pose(clamp!int(table.pos - v.y, 0, table.maxIndex)); // return true; // } // /*void clear() // { // //childs[0] = new Table(this, table.sz); // }*/ // void add(GUIElement e) // { // table.add(e); // size.x = max(size.x, cast(short)(table.size.x + SCROLL_ARROW_SZ.x)); // onResize; // onCountChanged(); // } // void remove(GUIElement e) // { // table.remove(e); // onCountChanged(); // } // void pose(uint n) // { // table.pose(n); // onPosChanged(n); // } // const width() // { // return cast(ushort)(size.x - SCROLL_ARROW_SZ.x); // } // const maxIndex() // { // return table.maxIndex; // } // inout elements() // { // return table.elements; // } // Signal!void onCountChanged; // Signal!(void, uint) onPosChanged; // package: // mixin MakeChildRef!(Table, `table`, 0); // mixin MakeChildRef!(Scrollbar, `sbar`, 1); // private: // void makeBar() // { // if (table.maxIndex) // { // if (!sbar) // { // new Scrollbar(this); // onResize; // } // } // else if (sbar) // { // sbar.deattach; // } // } // }
D
/Users/prajaktakulkarni/Documents/Casper/Build/Intermediates/Casper.build/Debug-iphonesimulator/Casper\ Example.build/Objects-normal/x86_64/ViewController.o : /Users/prajaktakulkarni/Documents/Casper/Casper\ Example/ViewController.swift /Users/prajaktakulkarni/Documents/Casper/Casper\ Example/AppDelegate.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/SwiftOnoneSupport.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 /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Modules/Casper.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Headers/Casper-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Headers/Casper.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Modules/Eureka.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Headers/Eureka-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Headers/Eureka-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Headers/FLAnimatedImageView.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Headers/FLAnimatedImage.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Headers/FLAnimatedImage-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Modules/Nuke.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Headers/Nuke-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Headers/Nuke-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Modules/NukeFLAnimatedImagePlugin.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Headers/NukeFLAnimatedImagePlugin-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Headers/Nuke-FLAnimatedImage-Plugin-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Modules/QRCode.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Headers/QRCode-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Headers/QRCode-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Intermediates/Casper.build/Debug-iphonesimulator/Casper\ Example.build/Objects-normal/x86_64/ViewController~partial.swiftmodule : /Users/prajaktakulkarni/Documents/Casper/Casper\ Example/ViewController.swift /Users/prajaktakulkarni/Documents/Casper/Casper\ Example/AppDelegate.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/SwiftOnoneSupport.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 /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Modules/Casper.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Headers/Casper-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Headers/Casper.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Modules/Eureka.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Headers/Eureka-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Headers/Eureka-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Headers/FLAnimatedImageView.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Headers/FLAnimatedImage.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Headers/FLAnimatedImage-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Modules/Nuke.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Headers/Nuke-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Headers/Nuke-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Modules/NukeFLAnimatedImagePlugin.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Headers/NukeFLAnimatedImagePlugin-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Headers/Nuke-FLAnimatedImage-Plugin-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Modules/QRCode.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Headers/QRCode-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Headers/QRCode-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Intermediates/Casper.build/Debug-iphonesimulator/Casper\ Example.build/Objects-normal/x86_64/ViewController~partial.swiftdoc : /Users/prajaktakulkarni/Documents/Casper/Casper\ Example/ViewController.swift /Users/prajaktakulkarni/Documents/Casper/Casper\ Example/AppDelegate.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/SwiftOnoneSupport.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 /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Modules/Casper.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Headers/Casper-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Headers/Casper.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Casper.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Modules/Eureka.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Headers/Eureka-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Headers/Eureka-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Eureka/Eureka.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Headers/FLAnimatedImageView.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Headers/FLAnimatedImage.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Headers/FLAnimatedImage-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/FLAnimatedImage/FLAnimatedImage.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Modules/Nuke.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Headers/Nuke-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Headers/Nuke-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke/Nuke.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Modules/NukeFLAnimatedImagePlugin.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Headers/NukeFLAnimatedImagePlugin-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Headers/Nuke-FLAnimatedImage-Plugin-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/Nuke-FLAnimatedImage-Plugin/NukeFLAnimatedImagePlugin.framework/Modules/module.modulemap /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Modules/QRCode.swiftmodule/x86_64.swiftmodule /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Headers/QRCode-Swift.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Headers/QRCode-umbrella.h /Users/prajaktakulkarni/Documents/Casper/Build/Products/Debug-iphonesimulator/QRCode/QRCode.framework/Modules/module.modulemap
D
/Users/Ben/Library/Developer/Xcode/DerivedData/CustomCatan-hezfvlmnawtxlyderrlvfddotkzt/Build/Intermediates/CustomCatan.build/Debug-iphonesimulator/CustomCatan.build/Objects-normal/i386/genScriptBig.o : /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerStandard.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerStandardBoard.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerBigBoard.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerHome.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/AppDelegate.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/genScriptBig.swift /Users/Ben/Documents/cc/CustomCatan/ViewControllerExpansion.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewController.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/genScript.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/SwiftOnoneSupport.swiftmodule /Users/Ben/Library/Developer/Xcode/DerivedData/CustomCatan-hezfvlmnawtxlyderrlvfddotkzt/Build/Intermediates/CustomCatan.build/Debug-iphonesimulator/CustomCatan.build/Objects-normal/i386/genScriptBig~partial.swiftmodule : /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerStandard.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerStandardBoard.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerBigBoard.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerHome.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/AppDelegate.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/genScriptBig.swift /Users/Ben/Documents/cc/CustomCatan/ViewControllerExpansion.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewController.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/genScript.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/SwiftOnoneSupport.swiftmodule /Users/Ben/Library/Developer/Xcode/DerivedData/CustomCatan-hezfvlmnawtxlyderrlvfddotkzt/Build/Intermediates/CustomCatan.build/Debug-iphonesimulator/CustomCatan.build/Objects-normal/i386/genScriptBig~partial.swiftdoc : /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerStandard.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerStandardBoard.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerBigBoard.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewControllerHome.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/AppDelegate.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/genScriptBig.swift /Users/Ben/Documents/cc/CustomCatan/ViewControllerExpansion.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/ViewController.swift /Users/Ben/Documents/cc/CustomCatan/CustomCatan/genScript.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/UIKit.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/i386/SwiftOnoneSupport.swiftmodule
D
INSTANCE Info_Mod_Thilo_Hi (C_INFO) { npc = Mod_1938_Thilo_NONE_NW; nr = 1; condition = Info_Mod_Thilo_Hi_Condition; information = Info_Mod_Thilo_Hi_Info; permanent = 0; important = 0; description = "Wer bist du?"; }; FUNC INT Info_Mod_Thilo_Hi_Condition() { if (Mod_WilfriedsQuest == 0) && (!Npc_KnowsInfo(hero, Info_Mod_Wilfried_HabBeutel)) && (!Npc_KnowsInfo(hero, Info_Mod_Thilo_Wilfried)) { return 1; }; }; FUNC VOID Info_Mod_Thilo_Hi_Info() { B_Say (hero, self, "$WHOAREYOU"); AI_Output(self, hero, "Info_Mod_Thilo_Hi_01_01"); //(abweisend) Lass mich in Ruhe, es gibt nichts, worüber ich mit dir reden möchte. }; INSTANCE Info_Mod_Thilo_Wilfried (C_INFO) { npc = Mod_1938_Thilo_NONE_NW; nr = 1; condition = Info_Mod_Thilo_Wilfried_Condition; information = Info_Mod_Thilo_Wilfried_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Thilo_Wilfried_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Wilfried_HabBeutel)) && (Mod_WilfriedsQuest == 1) && (Npc_IsInState(self, ZS_Talk)) { return 1; }; }; FUNC VOID Info_Mod_Thilo_Wilfried_Info() { AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_01_00"); //(abweisend) Lass mich in Ruhe, es gibt nichts, worüber ich mit dir reden möchte. AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_15_01"); //Du bist der Dieb von Wilfrieds Geldbeutel! AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_01_02"); //(kühl) Wer behauptet das? Info_ClearChoices (Info_Mod_Thilo_Wilfried); Info_AddChoice (Info_Mod_Thilo_Wilfried, "Wilfried hat es mir verraten.", Info_Mod_Thilo_Wilfried_Wilfried); Info_AddChoice (Info_Mod_Thilo_Wilfried, "Der Name tut nichts zur Sache.", Info_Mod_Thilo_Wilfried_Egal); }; FUNC VOID Info_Mod_Thilo_Wilfried_Egal() { AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_Egal_15_00"); //Der Name tut nichts zur Sache. AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Egal_01_01"); //So? Ich wüsste nicht, dass ich einen Diebstahl begangen habe. Oder meinst du etwa, Beweise zu haben? Info_ClearChoices (Info_Mod_Thilo_Wilfried); Info_AddChoice (Info_Mod_Thilo_Wilfried, "Wilfried hat es mir verraten.", Info_Mod_Thilo_Wilfried_Wilfried); }; FUNC VOID Info_Mod_Thilo_Wilfried_Wilfried() { AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_Wilfried_15_00"); //Wilfried hat es mir verraten. AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Wilfried_01_01"); //(erregt) Dieser elende Schuft! Ich werde es nicht länger verheimlichen! Du! Info_ClearChoices (Info_Mod_Thilo_Wilfried); Info_AddChoice (Info_Mod_Thilo_Wilfried, "Nein!", Info_Mod_Thilo_Wilfried_Nein); Info_AddChoice (Info_Mod_Thilo_Wilfried, "Ja?", Info_Mod_Thilo_Wilfried_Ja); }; FUNC VOID Info_Mod_Thilo_Wilfried_Nein() { AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_Nein_15_00"); //Nein! AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Nein_01_01"); //Du willst mich nicht anhören? (verächtlich) Kriech nur zurück zu Wilfried, mir kannst du ja doch nichts nachweisen! Info_ClearChoices (Info_Mod_Thilo_Wilfried); Info_AddChoice (Info_Mod_Thilo_Wilfried, "ENDE", Info_Mod_Thilo_Wilfried_EXIT); Info_AddChoice (Info_Mod_Thilo_Wilfried, "Erzähl schon.", Info_Mod_Thilo_Wilfried_Tell); }; FUNC VOID Info_Mod_Thilo_Wilfried_EXIT() { Info_ClearChoices (Info_Mod_Thilo_Wilfried); B_SetTopicStatus (TOPIC_MOD_WILFRIED_GOLD, LOG_FAILED); }; FUNC VOID Info_Mod_Thilo_Wilfried_Ja() { AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_Ja_15_00"); //Ja? AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Ja_01_01"); //Du wirst der Erste sein, der die Wahrheit erfährt! Und zwar die ganze Geschichte! Info_ClearChoices (Info_Mod_Thilo_Wilfried); Info_AddChoice (Info_Mod_Thilo_Wilfried, "Erzähl schon.", Info_Mod_Thilo_Wilfried_Tell); }; FUNC VOID Info_Mod_Thilo_Wilfried_Tell() { AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_Tell_15_00"); //Erzähl schon. AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Tell_01_01"); //Wie du sicher weißt, verkauft Wilfried seltene und wertvolle Schmuckstücke. Zum Geburtstag wollte ich meiner Liebsten ein teures Amulett schenken, und so ging ich zu ihm und ließ mich von ihm beraten. AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Tell_01_02"); //Er zeigte mir Zeichnungen von Amuletten, die er nicht bei sich hatte, aber von denen er angeblich wusste, wo er sie beschaffen konnte, und ich entschied mich für eines von diesen. AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Tell_01_03"); //Das Gold musste ich auf der Stelle bezahlen, und das Amulett sollte ich eine Woche später abholen. AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Tell_01_04"); //Als ich nach der verabredeten Zeit kam, gab Wilfried plötzlich vor, dass ich gar keine Bestellung aufgegeben hätte und setzte mich vor die Tür. AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_Tell_15_05"); //Habt ihr eure Abmachung nicht schriftlich festgehalten? AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Tell_01_06"); //Das ist ja der Knackpunkt! Darüber hatte ich gar nicht nachgedacht, schließlich kann man den meisten Menschen vertrauen - dachte ich jedenfalls. So hatte ich aber nichts gegen Wilfried in der Hand, keine Beweise, gar nichts. Ich konnte ihm nichts anhängen. AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_Tell_15_07"); //Aber das Gold wolltest du trotzdem zurück haben... AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Tell_01_08"); //(niedergeschlagen) Ja, das stimmt. Ich weiß, dass es nicht vollkommen korrekt war,... AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_Tell_15_09"); //(ironisch) Das ist leicht untertrieben... AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Tell_01_10"); //... aber ich sah keine andere Möglichkeit, wieder an mein Gold zu kommen. Ich habe lediglich eine Ungerechtigkeit ausgeglichen. Info_ClearChoices (Info_Mod_Thilo_Wilfried); Info_AddChoice (Info_Mod_Thilo_Wilfried, "Ich werde dich jetzt schön verpfeifen...", Info_Mod_Thilo_Wilfried_Verpfeifen); Info_AddChoice (Info_Mod_Thilo_Wilfried, "Und was sollen wir jetzt machen?", Info_Mod_Thilo_Wilfried_WasJetzt); }; FUNC VOID Info_Mod_Thilo_Wilfried_Verpfeifen() { AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_Verpfeifen_15_00"); //Ich werde dich jetzt schön verpfeifen... AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_Verpfeifen_01_01"); //(ungläubig) Was??? Siehst du nicht die Ungerechtigkeit? Info_ClearChoices (Info_Mod_Thilo_Wilfried); Info_AddChoice (Info_Mod_Thilo_Wilfried, "Und was sollen wir jetzt machen?", Info_Mod_Thilo_Wilfried_WasJetzt); }; FUNC VOID Info_Mod_Thilo_Wilfried_WasJetzt() { AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_WasJetzt_15_00"); //Und was sollen wir jetzt machen? AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_WasJetzt_01_01"); //Ich bin sicher, dass ich nicht das einzige Opfer von Wilfried bin. Wir müssen ihm das Handwerk legen, aber das geht nur mit mehr Unterstützung. AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_WasJetzt_01_02"); //Ich würde vorschlagen, du fragst in der näheren Umgebung, ob jemandem schon Ähnliches widerfahren ist. AI_Output(self, hero, "Info_Mod_Thilo_Wilfried_WasJetzt_01_03"); //Vielleicht gelingt es uns so, Beweismaterial oder wenigstens Verbündete zu gewinnen. AI_Output(hero, self, "Info_Mod_Thilo_Wilfried_WasJetzt_15_04"); //Wird erledigt. B_LogEntry (TOPIC_MOD_WILFRIED_GOLD, "Thilo ist tatsächlich der Dieb, allerdings beschuldigt er seinerseits Wilfried, dass der ihm das Gold vorher durch einen Trick entwendet habe. Nun soll ich sehen, ob es weitere Opfer von Wilfried in seiner näheren Umgebung gibt, sodass sich eine Anklage lohnen würde."); Mod_WilfriedsQuest = 2; Info_ClearChoices (Info_Mod_Thilo_Wilfried); }; INSTANCE Info_Mod_Thilo_Partner (C_INFO) { npc = Mod_1938_Thilo_NONE_NW; nr = 1; condition = Info_Mod_Thilo_Partner_Condition; information = Info_Mod_Thilo_Partner_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Thilo_Partner_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Thilo_Wilfried)) && ((Mod_WilfriedsQuest == 3) || (Mod_WilfriedsQuest == 4) || (Mod_WilfriedsQuest == 5)) { return 1; }; }; FUNC VOID Info_Mod_Thilo_Partner_Info() { AI_Output(self, hero, "Info_Mod_Thilo_Partner_01_00"); //Hast du Neuigkeiten? AI_Output(hero, self, "Info_Mod_Thilo_Partner_15_01"); //Ich habe Verbündete gefunden. AI_Output(self, hero, "Info_Mod_Thilo_Partner_01_02"); //(erfreut) Gut! Damit sollte es uns gelingen, Wilfried zu stellen. Willst du ihm den Besuch abstatten? AI_Output(hero, self, "Info_Mod_Thilo_Partner_15_03"); //Von mir aus. AI_Output(self, hero, "Info_Mod_Thilo_Partner_01_04"); //Wenn du fertig bist, sag Bescheid, wie es gelaufen ist. }; INSTANCE Info_Mod_Thilo_WilfriedWeg (C_INFO) { npc = Mod_1938_Thilo_NONE_NW; nr = 1; condition = Info_Mod_Thilo_WilfriedWeg_Condition; information = Info_Mod_Thilo_WilfriedWeg_Info; permanent = 0; important = 0; description = "Wilfried ist weg."; }; FUNC INT Info_Mod_Thilo_WilfriedWeg_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Thilo_Partner)) && ((Mod_WilfriedsQuest == 4) || (Mod_WilfriedsQuest == 5)) { return 1; }; }; FUNC VOID Info_Mod_Thilo_WilfriedWeg_Info() { AI_Output(hero, self, "Info_Mod_Thilo_WilfriedWeg_15_00"); //Wilfried ist weg. AI_Output(self, hero, "Info_Mod_Thilo_WilfriedWeg_01_01"); //(schockiert) Nein! (Pause, überlegt) Er muss von unseren Bemühungen Wind bekommen haben. AI_Output(hero, self, "Info_Mod_Thilo_WilfriedWeg_15_02"); //Was können wir jetzt machen? AI_Output(self, hero, "Info_Mod_Thilo_WilfriedWeg_01_03"); //Vielleicht gibt es irgendwo Hinweise zu seinem Verbleib. Am besten suchst du das Haus von Wilfried mal gründlich ab, und ich frage in der Gegend herum. Mob_CreateItems ("WILFRIEDSTRUHE", WilfriedsTagebuchseite, 1); }; INSTANCE Info_Mod_Thilo_Tagebuchseite (C_INFO) { npc = Mod_1938_Thilo_NONE_NW; nr = 1; condition = Info_Mod_Thilo_Tagebuchseite_Condition; information = Info_Mod_Thilo_Tagebuchseite_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Thilo_Tagebuchseite_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_Thilo_WilfriedWeg)) && (Mod_WilfriedsQuest == 5) { return 1; }; }; FUNC VOID Info_Mod_Thilo_Tagebuchseite_Info() { AI_Output(hero, self, "Info_Mod_Thilo_Tagebuchseite_15_00"); //Ich habe eine aufschlussreiche Tagebuchseite gefunden. AI_Output(self, hero, "Info_Mod_Thilo_Tagebuchseite_01_01"); //Was steht darauf? AI_Output(hero, self, "Info_Mod_Thilo_Tagebuchseite_15_02"); //Wilfried hat eine Höhle vor der Stadt entdeckt. AI_Output(self, hero, "Info_Mod_Thilo_Tagebuchseite_01_03"); //Schön, dann würde ich sagen, dass du mal schaust, ob du sie finden kannst. (beschämt) Ich kann nämlich leider gerade nicht weg ... eine wichtige Verabredung ... AI_Output(hero, self, "Info_Mod_Thilo_Tagebuchseite_15_04"); //Du hast Angst? AI_Output(self, hero, "Info_Mod_Thilo_Tagebuchseite_01_05"); //Das würde ich nicht so sagen, eher Respekt. Du machst das schon. Bis dann. }; INSTANCE Info_Mod_Thilo_WilfriedTot (C_INFO) { npc = Mod_1938_Thilo_NONE_NW; nr = 1; condition = Info_Mod_Thilo_WilfriedTot_Condition; information = Info_Mod_Thilo_WilfriedTot_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Thilo_WilfriedTot_Condition() { if (Mod_WilfriedsQuest == 8) { return 1; }; }; FUNC VOID Info_Mod_Thilo_WilfriedTot_Info() { AI_Output(self, hero, "Info_Mod_Thilo_WilfriedTot_01_00"); //Ich habe schon gehört, du hast Wilfried bestraft. Eine drastische Maßnahme, aber dein Schaden soll es nicht sein. AI_Output(self, hero, "Info_Mod_Thilo_WilfriedTot_01_01"); //Vielen Dank für deine Hilfe. Man sieht sich. CreateInvItems (self, ItMi_Gold, 50); B_GiveInvItems (self, hero, ItMi_Gold, 50); }; INSTANCE Info_Mod_Thilo_Pickpocket (C_INFO) { npc = Mod_1938_Thilo_NONE_NW; nr = 1; condition = Info_Mod_Thilo_Pickpocket_Condition; information = Info_Mod_Thilo_Pickpocket_Info; permanent = 1; important = 0; description = Pickpocket_30; }; FUNC INT Info_Mod_Thilo_Pickpocket_Condition() { C_Beklauen (20, ItMi_Gold, 15); }; FUNC VOID Info_Mod_Thilo_Pickpocket_Info() { Info_ClearChoices (Info_Mod_Thilo_Pickpocket); Info_AddChoice (Info_Mod_Thilo_Pickpocket, DIALOG_BACK, Info_Mod_Thilo_Pickpocket_BACK); Info_AddChoice (Info_Mod_Thilo_Pickpocket, DIALOG_PICKPOCKET, Info_Mod_Thilo_Pickpocket_DoIt); }; FUNC VOID Info_Mod_Thilo_Pickpocket_BACK() { Info_ClearChoices (Info_Mod_Thilo_Pickpocket); }; FUNC VOID Info_Mod_Thilo_Pickpocket_DoIt() { if (B_Beklauen() == TRUE) { Info_ClearChoices (Info_Mod_Thilo_Pickpocket); } else { Info_ClearChoices (Info_Mod_Thilo_Pickpocket); Info_AddChoice (Info_Mod_Thilo_Pickpocket, DIALOG_PP_BESCHIMPFEN, Info_Mod_Thilo_Pickpocket_Beschimpfen); Info_AddChoice (Info_Mod_Thilo_Pickpocket, DIALOG_PP_BESTECHUNG, Info_Mod_Thilo_Pickpocket_Bestechung); Info_AddChoice (Info_Mod_Thilo_Pickpocket, DIALOG_PP_HERAUSREDEN, Info_Mod_Thilo_Pickpocket_Herausreden); }; }; FUNC VOID Info_Mod_Thilo_Pickpocket_Beschimpfen() { B_Say (hero, self, "$PICKPOCKET_BESCHIMPFEN"); B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_Thilo_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); }; FUNC VOID Info_Mod_Thilo_Pickpocket_Bestechung() { B_Say (hero, self, "$PICKPOCKET_BESTECHUNG"); var int rnd; rnd = r_max(99); if (rnd < 25) || ((rnd >= 25) && (rnd < 50) && (Npc_HasItems(hero, ItMi_Gold) < 50)) || ((rnd >= 50) && (rnd < 75) && (Npc_HasItems(hero, ItMi_Gold) < 100)) || ((rnd >= 75) && (rnd < 100) && (Npc_HasItems(hero, ItMi_Gold) < 200)) { B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_Thilo_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); } else { if (rnd >= 75) { B_GiveInvItems (hero, self, ItMi_Gold, 200); } else if (rnd >= 50) { B_GiveInvItems (hero, self, ItMi_Gold, 100); } else if (rnd >= 25) { B_GiveInvItems (hero, self, ItMi_Gold, 50); }; B_Say (self, hero, "$PICKPOCKET_BESTECHUNG_01"); Info_ClearChoices (Info_Mod_Thilo_Pickpocket); AI_StopProcessInfos (self); }; }; FUNC VOID Info_Mod_Thilo_Pickpocket_Herausreden() { B_Say (hero, self, "$PICKPOCKET_HERAUSREDEN"); if (r_max(99) < Mod_Verhandlungsgeschick) { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_01"); Info_ClearChoices (Info_Mod_Thilo_Pickpocket); } else { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_02"); }; }; INSTANCE Info_Mod_Thilo_EXIT (C_INFO) { npc = Mod_1938_Thilo_NONE_NW; nr = 1; condition = Info_Mod_Thilo_EXIT_Condition; information = Info_Mod_Thilo_EXIT_Info; permanent = 1; important = 0; description = DIALOG_ENDE; }; FUNC INT Info_Mod_Thilo_EXIT_Condition() { return 1; }; FUNC VOID Info_Mod_Thilo_EXIT_Info() { AI_StopProcessInfos (self); };
D
/Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/.build/x86_64-apple-macosx/debug/LIFXHTTPKit.build/Client.swift.o : /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Scene.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/State.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/HTTPSession.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Location.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/ProductInformation.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/HTTPOperation.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Group.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/LightTargetObserver.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/ClientObserver.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Color.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/LightTargetSelector.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Errors.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/LightTarget.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Light.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Result.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Client.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/.build/x86_64-apple-macosx/debug/LIFXHTTPKit.build/Client~partial.swiftmodule : /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Scene.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/State.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/HTTPSession.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Location.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/ProductInformation.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/HTTPOperation.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Group.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/LightTargetObserver.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/ClientObserver.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Color.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/LightTargetSelector.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Errors.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/LightTarget.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Light.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Result.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Client.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/.build/x86_64-apple-macosx/debug/LIFXHTTPKit.build/Client~partial.swiftdoc : /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Scene.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/State.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/HTTPSession.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Location.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/ProductInformation.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/HTTPOperation.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Group.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/LightTargetObserver.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/ClientObserver.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Color.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/LightTargetSelector.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Errors.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/LightTarget.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Light.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Result.swift /Users/awllwa/Library/Mobile\ Documents/com~apple~CloudDocs/Code/Github/LIFXHTTPKit/Sources/LIFXHTTPKit/Client.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/home/r0p3/Uni/3/FTPsimulation/user_manage/target/debug/deps/proc_macro2-5a5e685e57ca90fc.rmeta: /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/lib.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/marker.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/parse.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/detection.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/fallback.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/wrapper.rs /home/r0p3/Uni/3/FTPsimulation/user_manage/target/debug/deps/libproc_macro2-5a5e685e57ca90fc.rlib: /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/lib.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/marker.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/parse.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/detection.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/fallback.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/wrapper.rs /home/r0p3/Uni/3/FTPsimulation/user_manage/target/debug/deps/proc_macro2-5a5e685e57ca90fc.d: /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/lib.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/marker.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/parse.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/detection.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/fallback.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/wrapper.rs /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/lib.rs: /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/marker.rs: /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/parse.rs: /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/detection.rs: /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/fallback.rs: /home/r0p3/.cargo/registry/src/github.com-1ecc6299db9ec823/proc-macro2-1.0.26/src/wrapper.rs:
D
bool isPalindrome4(in string str) pure nothrow { if (str.length == 0) return true; immutable(char)* s = str.ptr; immutable(char)* t = &(str[$ - 1]); while (s < t) if (*s++ != *t--) // ugly return false; return true; } void main() { alias isPalindrome4 pali; assert(pali("")); assert(pali("z")); assert(pali("aha")); assert(pali("sees")); assert(!pali("oofoe")); assert(pali("deified")); assert(!pali("Deified")); assert(pali("amanaplanacanalpanama")); assert(pali("ingirumimusnocteetconsumimurigni")); //assert(pali("salàlas")); }
D
/Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/DerivedData/itunesHttpSample/Build/Intermediates/itunesHttpSample.build/Debug-iphoneos/itunesHttpSample.build/Objects-normal/armv7/MasterViewController.o : /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/AppDelegate.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/MasterViewController.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/MusicCell.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/iTunesService.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/DetailViewController.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/SwiftyJSON.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/Music.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreAudio.swiftmodule /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/DerivedData/itunesHttpSample/Build/Intermediates/itunesHttpSample.build/Debug-iphoneos/itunesHttpSample.build/Objects-normal/armv7/MasterViewController~partial.swiftmodule : /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/AppDelegate.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/MasterViewController.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/MusicCell.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/iTunesService.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/DetailViewController.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/SwiftyJSON.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/Music.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreAudio.swiftmodule /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/DerivedData/itunesHttpSample/Build/Intermediates/itunesHttpSample.build/Debug-iphoneos/itunesHttpSample.build/Objects-normal/armv7/MasterViewController~partial.swiftdoc : /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/AppDelegate.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/MasterViewController.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/MusicCell.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/iTunesService.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/DetailViewController.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/SwiftyJSON.swift /Users/cktalex/Documents/bProject/SwiftTutorials/Session4/itunesHttpSample/itunesHttpSample/Music.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/armv7/CoreAudio.swiftmodule
D
/******************************************************************************* * Copyright (c) 2000, 2007 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.dnd.OleEnumFORMATETC; import org.eclipse.swt.internal.ole.win32.COM; import org.eclipse.swt.internal.ole.win32.OBJIDL; import org.eclipse.swt.internal.ole.win32.extras; import org.eclipse.swt.internal.win32.OS; final class OleEnumFORMATETC { private _IEnumFORMATETCImpl iEnumFORMATETC; private int refCount; private int index; private FORMATETC*[] formats; this() { createCOMInterfaces(); } int AddRef() { refCount++; return refCount; } private void createCOMInterfaces() { // register each of the interfaces that this object implements iEnumFORMATETC = new _IEnumFORMATETCImpl(this); } private void disposeCOMInterfaces() { iEnumFORMATETC = null; } IEnumFORMATETC getAddress() { return iEnumFORMATETC; } private FORMATETC*[] getNextItems(int numItems) { if (formats is null || numItems < 1) return null; int endIndex = index + numItems - 1; if (endIndex > (formats.length - 1)) endIndex = cast(int) /*64bit*/ formats.length - 1; if (index > endIndex) return null; FORMATETC*[] items = new FORMATETC*[endIndex - index + 1]; for (int i = 0; i < items.length; i++) { items[i] = formats[index]; index++; } return items; } package HRESULT Next(ULONG celt, FORMATETC* rgelt, ULONG* pceltFetched) { /* Retrieves the next celt items in the enumeration sequence. If there are fewer than the requested number of elements left in the sequence, it retrieves the remaining elements. The number of elements actually retrieved is returned through pceltFetched (unless the caller passed in NULL for that parameter). */ if (rgelt is null) return COM.E_INVALIDARG; if (pceltFetched is null && celt !is 1) return COM.E_INVALIDARG; FORMATETC*[] nextItems = getNextItems(celt); if (nextItems !is null) { for (int i = 0; i < nextItems.length; i++) { rgelt[i] = *nextItems[i]; } if (pceltFetched !is null) *pceltFetched = cast(int) /*64bit*/ nextItems.length; if (nextItems.length is celt) return COM.S_OK; } else { if (pceltFetched !is null) *pceltFetched = 0; FORMATETC fInit; COM.MoveMemory(rgelt, &fInit, FORMATETC.sizeof); } return COM.S_FALSE; } private HRESULT QueryInterface(REFCIID riid, void** ppvObject) { if (riid is null || ppvObject is null) return COM.E_NOINTERFACE; if (COM.IsEqualGUID(riid, &COM.IIDIUnknown)) { *ppvObject = cast(void*) cast(IUnknown) iEnumFORMATETC; AddRef(); return COM.S_OK; } if (COM.IsEqualGUID(riid, &COM.IIDIEnumFORMATETC)) { *ppvObject = cast(void*) cast(IEnumFORMATETC) iEnumFORMATETC; AddRef(); return COM.S_OK; } *ppvObject = null; return COM.E_NOINTERFACE; } int Release() { refCount--; if (refCount is 0) { disposeCOMInterfaces(); COM.CoFreeUnusedLibraries(); } return refCount; } private int Reset() { //Resets the enumeration sequence to the beginning. index = 0; return COM.S_OK; } void setFormats(FORMATETC*[] newFormats) { formats = newFormats; index = 0; } private int Skip(int celt) { //Skips over the next specified number of elements in the enumeration sequence. if (celt < 1) return COM.E_INVALIDARG; index += celt; if (index > (formats.length - 1)) { index = cast(int) /*64bit*/ formats.length - 1; return COM.S_FALSE; } return COM.S_OK; } } class _IEnumFORMATETCImpl : IEnumFORMATETC { OleEnumFORMATETC parent; this(OleEnumFORMATETC p) { parent = p; } extern (Windows): // interface of IUnknown HRESULT QueryInterface(REFCIID riid, void** ppvObject) { return parent.QueryInterface(riid, ppvObject); } ULONG AddRef() { return parent.AddRef(); } ULONG Release() { return parent.Release(); } // interface of IEnumFORMATETC HRESULT Next(ULONG celt, FORMATETC* rgelt, ULONG* pceltFetched) { return parent.Next(celt, rgelt, pceltFetched); } HRESULT Skip(ULONG celt) { return parent.Skip(celt); } HRESULT Reset() { return parent.Reset(); } HRESULT Clone(IEnumFORMATETC* ppenum) { return COM.E_NOTIMPL; } }
D
INSTANCE Info_Mod_Miliz1_Hi (C_INFO) { npc = Mod_1893_MIL_Miliz_NW; nr = 1; condition = Info_Mod_Miliz1_Hi_Condition; information = Info_Mod_Miliz1_Hi_Info; permanent = 0; important = 1; }; FUNC INT Info_Mod_Miliz1_Hi_Condition() { return 1; }; FUNC VOID Info_Mod_Miliz1_Hi_Info() { AI_Output(self, hero, "Info_Mod_Miliz1_Hi_07_00"); //Was machst du hier? AI_Output(hero, self, "Info_Mod_Miliz1_Hi_15_01"); //Das Selbe kann ich euch fragen. AI_Output(self, hero, "Info_Mod_Miliz1_Hi_07_02"); //Wir haben einen Schlüssel bei Attila gefunden und der passte in die Tür dorthinten. AI_Output(self, hero, "Info_Mod_Miliz1_Hi_07_03"); //Sieht so aus als hätten wir das Versteck der Diebe gefunden... aber sag mal, wie bist du überhaupt hierher gekommen? AI_Output(hero, self, "Info_Mod_Miliz1_Hi_15_04"); //Rate mal. AI_Output(self, hero, "Info_Mod_Miliz1_Hi_07_05"); //Sag bloß nicht, dass du zu den Dieben gehörst. AI_Output(hero, self, "Info_Mod_Miliz1_Hi_15_06"); //Und wenn? AI_Output(self, hero, "Info_Mod_Miliz1_Hi_07_07"); //Du wirst hier nicht mehr lebend rauskommen! AI_StopProcessInfos (self); B_Attack (self, hero, AR_GuildEnemy, 0); };
D
/Users/DanielChang/Documents/Vapor/Hello/.build/debug/Fluent.build/Schema/Schema+Creator.swift.o : /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Database/Database.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Database/Driver.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Entity/Entity.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Filters.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Group.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Sort.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/MemoryDriver.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Database+Preparation.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Migration.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Preparation.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/PreparationError.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Action.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Comparison.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Filter.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Group.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Join.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Limit.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Query.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Scope.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Sort.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Children.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Parent.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/RelationError.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Siblings.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Database+Schema.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Creator.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Field.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Modifier.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Query.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Schema.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQLSerializer.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Utilities/Fluent+Node.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/Node.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/PathIndexable.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/Polymorphic.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/Fluent.build/Schema+Creator~partial.swiftmodule : /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Database/Database.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Database/Driver.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Entity/Entity.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Filters.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Group.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Sort.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/MemoryDriver.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Database+Preparation.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Migration.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Preparation.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/PreparationError.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Action.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Comparison.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Filter.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Group.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Join.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Limit.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Query.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Scope.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Sort.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Children.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Parent.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/RelationError.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Siblings.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Database+Schema.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Creator.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Field.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Modifier.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Query.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Schema.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQLSerializer.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Utilities/Fluent+Node.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/Node.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/PathIndexable.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/Polymorphic.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/Fluent.build/Schema+Creator~partial.swiftdoc : /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Database/Database.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Database/Driver.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Entity/Entity.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Filters.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Group.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/Memory+Sort.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Memory/MemoryDriver.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Database+Preparation.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Migration.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/Preparation.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Preparation/PreparationError.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Action.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Comparison.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Filter.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Group.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Join.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Limit.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Query.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Scope.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Query/Sort.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Children.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Parent.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/RelationError.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Relations/Siblings.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Database+Schema.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Creator.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Field.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema+Modifier.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Schema/Schema.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Query.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL+Schema.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQL.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/SQL/SQLSerializer.swift /Users/DanielChang/Documents/Vapor/Hello/Packages/Fluent-1.4.1/Sources/Fluent/Utilities/Fluent+Node.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/Node.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/PathIndexable.swiftmodule /Users/DanielChang/Documents/Vapor/Hello/.build/debug/Polymorphic.swiftmodule
D
/* Copyright (c) 1996 Blake McBride 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. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER 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. */ #include <windows.h> extern void _init_WDS(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpszCmdLine, int cmdShow, void *ss); extern void _end_WDS(void); extern int start(void); int WINAPI WinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpszCmdLine, int cmdShow) { int r; _init_WDS(hInstance, hPrevInstance, lpszCmdLine, cmdShow, (void *) &hInstance); r = start(); _end_WDS(); return(r); } void _link_WDS_main(void) { }
D
instance XBS_7509_DRAX(Npc_Default) { name[0] = "Drax"; guild = GIL_OUT; id = 7509; voice = 6; flags = 0; npcType = npctype_main; B_SetAttributesToChapter(self,3); level = 1; fight_tactic = FAI_HUMAN_STRONG; EquipItem(self,ItMw_1h_Sld_Sword_New); EquipItem(self,ItRw_Sld_Bow); CreateInvItems(self,ItRw_Arrow,10); B_CreateAmbientInv(self); B_SetNpcVisual(self,MALE,"Hum_Head_Bald",Face_N_Drax,BodyTex_N,ItAr_Sld_L); Mdl_SetModelFatness(self,0); Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds"); B_GiveNpcTalents(self); B_SetFightSkills(self,65); daily_routine = rtn_start_7509; }; func void rtn_start_7509() { TA_Stand_ArmsCrossed(8,0,23,0,"WP_COAST_FOREST_04"); TA_Sit_Campfire(23,0,8,0,"WP_COAST_FOREST_04"); }; func void rtn_Base_7509() { TA_Stand_ArmsCrossed(8,0,23,0,"WP_COAST_BASE_DRAX"); TA_Stand_Eating(23,0,8,0,"WP_COAST_BASE_RATFORD"); }; func void Rtn_DracarBoard_7509() { TA_Stand_Eating(8,0,23,0,"DRAKAR_SHIP_03"); TA_Stand_ArmsCrossed(23,0,8,0,"DRAKAR_SHIP_03"); };
D
/Users/sunchuyue/Documents/test/RX_Product/DerivedData/RX_Product/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ObjectMapper.build/Objects-normal/x86_64/DataTransform.o : /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/FromJSON.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/ToJSON.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Mappable.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/ImmutableMappable.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/TransformType.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/TransformOf.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/URLTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DataTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DateTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/ISO8601DateTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/EnumTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/NSDecimalNumberTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DateFormatterTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/HexColorTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/CustomDateFormatTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DictionaryTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Map.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Mapper.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/MapError.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Operators.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/TransformOperators.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/EnumOperators.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/IntegerOperators.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/sunchuyue/Documents/test/RX_Product/Pods/Target\ Support\ Files/ObjectMapper/ObjectMapper-umbrella.h /Users/sunchuyue/Documents/test/RX_Product/DerivedData/RX_Product/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ObjectMapper.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/sunchuyue/Documents/test/RX_Product/DerivedData/RX_Product/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ObjectMapper.build/Objects-normal/x86_64/DataTransform~partial.swiftmodule : /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/FromJSON.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/ToJSON.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Mappable.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/ImmutableMappable.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/TransformType.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/TransformOf.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/URLTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DataTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DateTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/ISO8601DateTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/EnumTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/NSDecimalNumberTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DateFormatterTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/HexColorTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/CustomDateFormatTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DictionaryTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Map.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Mapper.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/MapError.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Operators.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/TransformOperators.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/EnumOperators.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/IntegerOperators.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/sunchuyue/Documents/test/RX_Product/Pods/Target\ Support\ Files/ObjectMapper/ObjectMapper-umbrella.h /Users/sunchuyue/Documents/test/RX_Product/DerivedData/RX_Product/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ObjectMapper.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/sunchuyue/Documents/test/RX_Product/DerivedData/RX_Product/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ObjectMapper.build/Objects-normal/x86_64/DataTransform~partial.swiftdoc : /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/FromJSON.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/ToJSON.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Mappable.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/ImmutableMappable.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/TransformType.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/TransformOf.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/URLTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DataTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DateTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/ISO8601DateTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/EnumTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/NSDecimalNumberTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DateFormatterTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/HexColorTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/CustomDateFormatTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/DictionaryTransform.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Map.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Mapper.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/MapError.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/Operators.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/TransformOperators.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/EnumOperators.swift /Users/sunchuyue/Documents/test/RX_Product/Pods/ObjectMapper/Sources/IntegerOperators.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/sunchuyue/Documents/test/RX_Product/Pods/Target\ Support\ Files/ObjectMapper/ObjectMapper-umbrella.h /Users/sunchuyue/Documents/test/RX_Product/DerivedData/RX_Product/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ObjectMapper.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D