code
stringlengths
3
10M
language
stringclasses
31 values
module webtank.net.http.handler.uri_page_route; import webtank.net.http.handler.iface: IHTTPHandler; /// Обработчик для конкретного маршрута к странице сайта class URIPageRoute: IHTTPHandler { import webtank.net.http.context: HTTPContext; import webtank.net.uri_pattern: URIPattern, URIMatchingData; import webtank.net.http.handler.iface: HTTPHandlingResult; protected: URIPattern _uriPattern; PageHandler _handler; public: alias PageHandler = void delegate(HTTPContext); this(PageHandler handler, string uriPatternStr) { _handler = handler; _uriPattern = new URIPattern(uriPatternStr); } this(PageHandler handler, URIPattern uriPattern) { _handler = handler; _uriPattern = uriPattern; } override HTTPHandlingResult processRequest(HTTPContext context) { URIMatchingData uriMatchData = _uriPattern.match(context.request.uri.path); if( !uriMatchData.isMatched ) return HTTPHandlingResult.mismatched; context.request.requestURIMatch = uriMatchData; _handler(context); return HTTPHandlingResult.handled; // Запрос обработан } import std.json: JSONValue; override JSONValue toStdJSON() { import webtank.common.std_json.to: toStdJSON; return JSONValue([ `kind`: JSONValue(typeof(this).stringof), `uriPattern`: _uriPattern.toStdJSON() ]); } }
D
#! blah static assert(__LINE__ == 3); // fails as __LINE__ is 2 import std.stdio; import std.math : signbit, sqrt; /************************************/ static assert(-(1) == -1); static assert(-(6i) == -6i); static assert(-(1 + 6i) == -1 - 6i); static assert(!27 == 0); static assert(!0 == 1); static assert(!6.2 == 0); static assert(!0.0 == 1); static assert(!3.7i == 0); static assert(!0.0i == 1); static assert(!(2+3.7i) == 0); static assert(!(0+3.7i) == 0); static assert(!(2+0.0i) == 0); static assert(!(0+0.0i) == 1); static assert(-6i + 2i == -4i); static assert(6i - 1i == 5i); static assert((3.6 + 7.2i) / (1 + 0i) == 3.6 + 7.2i); static assert((3.6 + 7.2i) / (0.0 + 1i) == 7.2 - 3.6i); static assert((6 % 4) == 2); static assert((6u % 4u) == 2u); static assert((cast(byte)0x109 >> 1) == 4); static assert((cast(byte)-1 >> 1) == -1); static assert((cast(ubyte)0x109 >> 1) == 4); static assert((cast(short)0x10009 >> 1) == 4); static assert((cast(short)-1 >> 1) == -1); static assert((cast(ushort)0x10009 >> 1) == 4); static assert((cast(long)0x1_0000_0000_0009 >> 1) == 0x8000_0000_0004); static assert((cast(long)-1L >> 1) == -1); static assert((cast(ulong)0x10009 >> 1) == 0x8004); static assert((cast(byte)0x109 >>> 1) == 4); static assert((cast(byte)-1 >>> 1) == int.max); static assert((cast(ubyte)0x109 >>> 1) == 4); static assert((cast(short)0x10009 >>> 1) == 4); static assert((cast(short)-1 >>> 1) == int.max); static assert((cast(ushort)0x10009 >>> 1) == 4); static assert((cast(long)0x1_0000_0000_0009 >>> 1) == 0x8000_0000_0004); static assert((cast(long)-1L >>> 1) == long.max); static assert((cast(ulong)0x10009 >>> 1) == 0x8004); static assert((3 ^ 5) == 6); static assert((0 && 0) == 0); static assert((0 && 5) == 0); static assert((10 && 0) == 0); static assert((58 && 10000) == 1); static assert((0.0 && 0.0) == 0); static assert((0.0 && 5.1) == 0); static assert((10.0 && 0.0) == 0); static assert((58.6 && 10000.7) == 1); static assert((0 || 0) == 0); static assert((0 || 5) == 1); static assert((10 || 0) == 1); static assert((58 || 10000) == 1); static assert((0.0 || 0.0) == 0); static assert((0.0 || 5.1) == 1); static assert((10.0 || 0.0) == 1); static assert((58.6 || 10000.7) == 1); static assert((5 < 3) == 0); static assert((5 < 5) == 0); static assert((5 < 6) == 1); static assert((5 <= 3) == 0); static assert((5 <= 5) == 1); static assert((5 <= 6) == 1); static assert((5 > 3) == 1); static assert((5 > 5) == 0); static assert((5 > 6) == 0); static assert((5 >= 3) == 1); static assert((5 >= 5) == 1); static assert((5 >= 6) == 0); static assert((-5 < -3) == 1); static assert((-5 < -5) == 0); static assert((-5 < -6) == 0); static assert((-5 <= -3) == 1); static assert((-5 <= -5) == 1); static assert((-5 <= -6) == 0); static assert((-5 > -3) == 0); static assert((-5 > -5) == 0); static assert((-5 > -6) == 1); static assert((-5 >= -3) == 0); static assert((-5 >= -5) == 1); static assert((-5 >= -6) == 1); static assert((5u < 3u) == 0); static assert((5u < 5u) == 0); static assert((5u < 6u) == 1); static assert((5u <= 3u) == 0); static assert((5u <= 5u) == 1); static assert((5u <= 6u) == 1); static assert((5u > 3u) == 1); static assert((5u > 5u) == 0); static assert((5u > 6u) == 0); static assert((5u >= 3u) == 1); static assert((5u >= 5u) == 1); static assert((5u >= 6u) == 0); static assert((-5u < 3) == 0); static assert((-5u <= 3) == 0); static assert((-5u > 3) == 1); static assert((-5u >= 3) == 1); static assert((-5 < 3u) == 0); static assert((-5 <= 3u) == 0); static assert((-5 > 3u) == 1); static assert((-5 >= 3u) == 1); static assert((5.2 < double.nan) == 0); static assert((5.2 <= double.nan) == 0); static assert((5.2 > double.nan) == 0); static assert((5.2 >= double.nan) == 0); static assert((double.nan < 6.2) == 0); static assert((double.nan <= 6.2) == 0); static assert((double.nan > 6.2) == 0); static assert((double.nan >= 6.2) == 0); static assert((double.nan < double.nan) == 0); static assert((double.nan <= double.nan) == 0); static assert((double.nan > double.nan) == 0); static assert((double.nan >= double.nan) == 0); static assert((5.2 < 6.2) == 1); static assert((5.2 <= 6.2) == 1); static assert((5.2 > 6.2) == 0); static assert((5.2 >= 6.2) == 0); static assert((5.2 < 5.2) == 0); static assert((5.2 <= 5.2) == 1); static assert((5.2 > 5.2) == 0); static assert((5.2 >= 5.2) == 1); static assert((7.2 < 6.2) == 0); static assert((7.2 <= 6.2) == 0); static assert((7.2 > 6.2) == 1); static assert((7.2 >= 6.2) == 1); static assert((7.2i < 6.2i) == 0); static assert((7.2i == 6.2i) == 0); static assert((7.2i != 6.2i) == 1); static assert((7.2 == 6.2) == 0); static assert((7.2 != 6.2) == 1); static assert((7.2i == 7.2i) == 1); static assert((7.2i != 7.2i) == 0); static assert((7.2 == 7.2) == 1); static assert((7.2 != 7.2) == 0); static assert((7.2 == double.nan) == 0); static assert((7.2 != double.nan) == 1); static assert((double.nan == double.nan) == 0); static assert((double.nan != double.nan) == 1); static assert((double.nan == 7.2) == 0); static assert((double.nan != 7.2) == 1); static assert((5 is 5) == 1); static assert((5 is 4) == 0); static assert((5 !is 5) == 0); static assert((5 !is 4) == 1); static assert((5.1 is 5.1) == 1); static assert((5.1 is 4.1) == 0); static assert((5.1 !is 5.1) == 0); static assert((5.1 !is 4.1) == 1); static assert((5.1 is 5.1i) == 0); static assert((5.1 !is 5.1i) == 1); static assert((5 ? 2 : 3) == 2); static assert((0 ? 2 : 3) == 3); static assert((5.0 ? 2 : 3) == 2); static assert((0.0 ? 2 : 3) == 3); static assert("abc" == "abc"); //static assert("abc"w.sizeof == 6); //static assert("\U00010000bc"w.sizeof == 8); static assert([1,2,3][1] == 2); static assert([1,2,3] ~ [4] == [1,2,3,4]); static assert([1,2,3][1..3] == [2,3]); static assert(['a','b','c','d'] == "abcd"); static assert("efgh" == ['e','f','g','h']); static assert("efgi" != ['e','f','g','h']); static assert((2 ^^ 8) == 256); static assert((3 ^^ 8.0) == 6561); static assert((4.0 ^^ 8) == 65536); static assert((5.0 ^^ 8.0) == 390625); static assert((0.5 ^^ 3) == 0.125); static assert((1.5 ^^ 3.0) == 3.375); static assert((2.5 ^^ 3) == 15.625); static assert((3.5 ^^ 3.0) == 42.875); static assert(((-2) ^^ -5.0) == -0.031250); static assert(((-2.0) ^^ -6) == 0.015625); static assert(((-2.0) ^^ -7.0) == -0.0078125); static assert((144 ^^ 0.5) == 12); static assert((1089 ^^ 0.5) == 33); static assert((1764 ^^ 0.5) == 42); static assert((650.25 ^^ 0.5) == 25.5); void test1() { int x; int y; int* p; p = &x + cast(size_t)&y; p = &x + 2; p = 4 + &y; p = &x - 1; assert((&x is &x) == 1); assert((&x is &y) == 0); assert((&x !is &x) == 0); assert((&x !is &y) == 1); } /************************************/ void test2() { float f = float.infinity; int i = cast(int) f; writeln(i); writeln(cast(int)float.max); version (LDC) { // LDC_FIXME: This test fails in optimized builds due to the constant // folding done by the LLVM optimizer. It should be checked whether the // result of the cast is really specified in C, and as a consequence // in D (see [dmd-internals] float.infinity->int test case in constfold.d). // Update: The values are really implementation dependent. // Intel CPUs return the "indefinite interger value" (0x80000000). // ARM CPUs return 0x80000000 or 0x7FFFFFFF depending on the value. // PowerPC CPUs behave like ARM bit use 64bit values. // MIPS CPUs always return 0x7FFFFFFF_FFFFFFFF. } else { assert(i == cast(int)float.max); assert(i == 0x80000000); } } /************************************/ void test3() { real n = -0.0; const real m = -0.0; creal c = -0.0 + 3i; creal d = n + 3i; creal e = m + 3i; // should print "11111" writeln(signbit(n), signbit(m), signbit(c.re), signbit(d.re), signbit(e.re)); assert(signbit(n) == 1); assert(signbit(m) == 1); assert(signbit(c.re) == 1); assert(signbit(d.re) == 1); assert(signbit(e.re) == 1); } /************************************/ struct A4 { char [] a; } struct B4 { long x; } struct C4 { int a; static C4 opCall(int b) { C4 q; q.a=b; return q; } } static assert(!is(typeof( (){ A4 s; B4 q = s; }))); static assert(!is(typeof( (){ B4 x =1L; }))); static assert(is(typeof( (){ C4 g = 7; }))); static assert(is(typeof( (){ C4 g = 7; C4 h = g;}))); /************************************/ alias uint DWORD; MY_API_FUNCTION lpStartAddress; extern (Windows) alias DWORD function(void*) MY_API_FUNCTION; pragma(msg, MY_API_FUNCTION.stringof); static assert(MY_API_FUNCTION.stringof == "extern (Windows) uint function(void*)"); /************************************/ enum bug6 = cast(void*)0xFEFEFEFE; static assert(bug6 is bug6); /************************************/ struct S7{ double z; } int bug7(int x) { return x; } S7 s7; double e7 = 4; const double d7 = 4; static assert(!is(typeof(bug7(cast(long)e7)))); static assert(!is(typeof(bug7(cast(long)s7)))); version (LDC) {} else // cast in LDC undefined result w/ x > long.max static assert(!is(typeof(bug7(cast(long)3.256679e30)))); static assert(is(typeof(bug7(cast(long)d7)))); static assert(is(typeof(bug7(cast(long)3.256679e4)))); /************************************/ class C8 { int x; } alias C8.x F8; static assert(is(typeof(F8) == int)); static assert(is(typeof(C8.x) == int)); /************************************/ int foo9() { int u = cast(int)(0x1_0000_0000L); while (u) { if (u) { assert(u!=0); } assert(u!=0); } return 2; } static assert(foo9()==2); /************************************/ // Bugzilla 6077 void test6077() { static string scat(string s1, string s2) { return s1 ~ s2; } static string scatass(string s1, string s2) { s1 ~= s2; return s1; } static string[] arycats(string[] ary, string s) { return ary ~ s; } static string[] scatary(string s, string[] ary) { return s ~ ary; } static string[] arycatasss(string[] ary, string s) { ary ~= s; return ary; } static assert(scat(null, null) is null); static assert(scatass(null, null) is null); static assert(arycats(null, null) == cast(string[])[null]); static assert(scatary(null, null) == cast(string[])[null]); static assert(arycatasss(null, null) == cast(string[])[null]); } /************************************/ int test4() { int i; dchar d; d >>= 1; d >>>= 1; d <<= 1; d = d >> 1; d = d >>> 1; d = d << 1; wchar w; w >>= 1; w >>>= 1; w <<= 1; w = w >> 1; w = w >>> 1; i = w << 1; // promoted to int char c; c >>= 1; c >>>= 1; c <<= 1; c = c >> 1; c = c >>> 1; i = c << 1; // promoted to int return d + w + c + i; } static assert(test4() == 24666); /************************************/ // 8400 void test8400() { immutable a = [1,2]; int[a.length+0] b; // ok int[a.length ] c; // error } /************************************/ // 8939 void foo8939(T)(ref T) { } // same for `auto ref` void bar8939(ref const int) { } void bar8939(ref const S8939) { } static struct S8939 { int n; } const gn8939 = 1; // or `immutable` const gs8939 = S8939(3); static assert(__traits(compiles, foo8939(gn8939), bar8939(gn8939))); static assert(__traits(compiles, foo8939(gs8939), bar8939(gs8939))); void test8939() { foo8939(gn8939), bar8939(gn8939); foo8939(gs8939), bar8939(gs8939); const ln8939 = 1; const ls8939 = S8939(3); foo8939(ln8939), bar8939(ln8939); foo8939(ls8939), bar8939(ls8939); } class C8939regression { const int n1 = 0; const int n2 = 0; const int n3 = 0; const int n4 = 1; int refValue(V)(ref V var) { return 0; } void foo() { string[2] str; refValue(str[n1]); int[] da; refValue(da[n2]); int n; int* p = &n; refValue(*cast(int*)(p + n3)); refValue([1,2,n4].ptr[0]); } } /************************************/ // 9058 template TypeTuple9058(TL...) { alias TypeTuple9058 = TL; } template EnumMembers9058(T) { alias EnumMembers9058 = TypeTuple9058!(Foo9058.A, Foo9058.B); } enum Foo9058 { A, B } size_t bar9058(size_t n) { return 0; } void test9058() { Foo9058 x = [EnumMembers9058!Foo9058][bar9058($)]; } /************************************/ // 11159 void test11159() { import std.math : pow; enum ulong e_2_pow_64 = 2uL^^64, e_10_pow_19 = 10uL^^19, e_10_pow_20 = 10uL^^20; assert(e_2_pow_64 == pow(2uL, 64)); assert(e_10_pow_19 == pow(10uL, 19)); assert(e_10_pow_20 == pow(10uL, 20)); } /************************************/ // 12306 void test12306() { struct Point3D { ubyte x, y, z; } enum Point3D pt1 = {x:1, y:1, z:1}; const Point3D pt2 = {x:1, y:1, z:1}; immutable Point3D pt3 = {x:1, y:1, z:1}; int[pt1.z][pt1.y][pt1.x] a1; int[pt2.z][pt2.y][pt2.x] a2; int[pt3.z][pt3.y][pt3.x] a3; ubyte a = 1; const Point3D ptx = {x:a, y:1, z:1}; static assert(!__traits(compiles, { int[ptx.z][ptx.y][ptx.x] ax; })); } /************************************/ // 13977 void test13977() { bool cond(bool b) { return b; } int x = 0; void check(int n = 1) { x = n; } cond(true) && check(); assert(x == 1); x = 0; cond(false) && check(); assert(x == 0); x = 0; true && check(); assert(x == 1); x = 0; false && check(); assert(x == 0); x = 0; (int[]).init && check(); assert(x == 0); x = 0; Object.init && check(); assert(x == 0); (check(2), false) && check(); assert(x == 2); x = 0; } /************************************/ // 13978 void test13978() { bool cond(bool b) { return b; } int x = 0; void check(int n = 1) { x = n; } cond(true) || check(); assert(x == 0); x = 0; cond(false) || check(); assert(x == 1); x = 0; true || check(); assert(x == 0); x = 0; false || check(); assert(x == 1); x = 0; (int[]).init || check(); assert(x == 1); x = 0; Object.init || check(); assert(x == 1); x = 0; (check(2), true) || check(); assert(x == 2); x = 0; } /************************************/ // Pull Request 3697 void test3697and() { enum x = 0; auto y = x && 1 / x; } void test3697or() { enum x = 0; enum y = 1; auto z = y || 1 / x; } /************************************/ // 14459 void test14459() { const char* s0 = "hi0"; const(char)* p0 = s0; assert(p0 == s0); const char* s1 = "hi1"; const char* s2 = "hi2"; const char* s3 = "hi3"; const char* s4 = "hi4"; const char* s5 = "hi5"; const char* s6 = "hi6"; const char* s7 = "hi7"; const char* s8 = "hi8"; const char* s9 = "hi9"; const char* s10 = "hi10"; const char* s11 = "hi11"; const char* s12 = "hi12"; const char* s13 = "hi13"; const char* s14 = "hi14"; const char* s15 = "hi15"; assert(p0 == s0); // ok const char* s16 = "hi16"; assert(p0 == s0); // ok <- fails } /************************************/ // https://issues.dlang.org/show_bug.cgi?id=15607 static immutable char[2][4] code_base = [ "??", 12 ]; static assert(code_base[0] == "??"); static assert(code_base[1] == [12, 12]); static assert(code_base[2] == typeof(code_base[2]).init); /************************************/ int main() { test1(); test2(); test3(); test3697and(); test3697or(); test6077(); test8400(); test8939(); test9058(); test11159(); test13977(); test13978(); test14459(); printf("Success\n"); return 0; }
D
/home/xearch/Desktop/rust_proj/covweed/target/rls/debug/deps/quote-1b457121b46aa6b0.rmeta: /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/lib.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/ext.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/format.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/ident_fragment.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/to_tokens.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/runtime.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/spanned.rs /home/xearch/Desktop/rust_proj/covweed/target/rls/debug/deps/libquote-1b457121b46aa6b0.rlib: /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/lib.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/ext.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/format.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/ident_fragment.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/to_tokens.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/runtime.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/spanned.rs /home/xearch/Desktop/rust_proj/covweed/target/rls/debug/deps/quote-1b457121b46aa6b0.d: /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/lib.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/ext.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/format.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/ident_fragment.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/to_tokens.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/runtime.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/spanned.rs /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/lib.rs: /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/ext.rs: /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/format.rs: /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/ident_fragment.rs: /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/to_tokens.rs: /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/runtime.rs: /home/xearch/.cargo/registry/src/github.com-1ecc6299db9ec823/quote-1.0.9/src/spanned.rs:
D
//this file is part of notepad++ //Copyright (C)2003 Don HO <donho@altern.org> // //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 2 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, write to the Free Software //Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. module plugininterface; import win32.windows; import scintilla; import notepad_plus_msgs; enum nbChar = 64; alias extern(C) const(wchar)* function() PFUNCGETNAME; alias extern(C) void function(NppData) PFUNCSETINFO; alias extern(C) void function() PFUNCPLUGINCMD; alias extern(C) void function(SCNotification*) PBENOTIFIED; alias extern(C) LRESULT function(UINT Message, WPARAM wParam, LPARAM lParam) PMESSAGEPROC; struct NppData { HWND _nppHandle; HWND _scintillaMainHandle; HWND _scintillaSecondHandle; } struct ShortcutKey { bool _isCtrl; bool _isAlt; bool _isShift; UCHAR _key; } struct FuncItem { wchar[nbChar] _itemName; PFUNCPLUGINCMD _pFunc; int _cmdID; bool _init2Check; ShortcutKey *_pShKey; } alias extern(C) FuncItem* function(int*)PFUNCGETFUNCSARRAY; // You should implement (or define an empty function body) those functions which are called by Notepad++ plugin manager extern(C) { export void setInfo(NppData); export const(wchar)* getName(); export FuncItem* getFuncsArray(int*); export void beNotified(SCNotification*); export LRESULT messageProc(UINT Message, WPARAM wParam, LPARAM lParam); export BOOL isUnicode(); }
D
instance Mod_7458_NONE_Jack_IR (Npc_Default) { // ------ NSC ------ name = "Jack"; guild = GIL_OUT; id = 7458; voice = 14; flags = 0; //Sterblich, optionaler Captain im Kapitel 5! npctype = NPCTYPE_MAIN; //-----------AIVARS---------------- aivar[AIV_ToughGuy] = TRUE; // ------ Attribute ------ B_SetAttributesToChapter (self, 2); aivar[AIV_Partymember] = TRUE; // ------ Kampf-Taktik ------ fight_tactic = FAI_HUMAN_COWARD; // ------ Equippte Waffen ------ EquipItem (self, ItMw_1H_quantarie_Schwert_01); // ------ Inventory ------ B_CreateAmbientInv (self); // ------ visuals ------ B_SetNpcVisual (self, MALE, "Hum_Head_Bald", Face_N_ImportantOld, BodyTex_N,ITAR_Vlk_L); Mdl_SetModelFatness (self,0); Mdl_ApplyOverlayMds (self, "Humans_Tired.mds"); // ------ NSC-relevante Talente vergeben ------ B_GiveNpcTalents (self); // ------ Kampf-Talente ------ B_SetFightSkills (self, 30); // ------ TA anmelden ------ daily_routine = Rtn_Start_7458; }; FUNC VOID Rtn_Start_7458() { TA_Stand_Guarding (08,00,20,00,"SHIP_CREW_CAPTAIN"); TA_Stand_Guarding (20,00,08,00,"SHIP_CREW_CAPTAIN"); }; FUNC VOID Rtn_Waiting_7458 () { TA_Stand_ArmsCrossed (08,00,20,00,"DI_SHIP_03"); TA_Stand_ArmsCrossed (20,00,08,00,"DI_SHIP_03"); }; FUNC VOID Rtn_Lagerraum_7458 () { TA_Pick_FP (08,00,20,00,"SHIP_IN_27"); TA_Pick_FP (20,00,08,00,"SHIP_IN_27"); }; FUNC VOID Rtn_Argez_7458 () { TA_Guide_Player (08,00,20,00,"DI_SHIP_03"); TA_Guide_Player (20,00,08,00,"DI_SHIP_03"); };
D
/Users/thendral/POC/vapor/Friends/.build/debug/Routing.build/Router.swift.o : /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/Branch.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/ParametersContainer.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteBuilder+RouteCollection.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteBuilder+RouteGroup.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteBuilder.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteCollection.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteGroup+RouteBuilder.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteGroup.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/Router.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Core.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/libc.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Node.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/PathIndexable.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Polymorphic.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Routing.build/Router~partial.swiftmodule : /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/Branch.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/ParametersContainer.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteBuilder+RouteCollection.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteBuilder+RouteGroup.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteBuilder.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteCollection.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteGroup+RouteBuilder.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteGroup.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/Router.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Core.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/libc.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Node.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/PathIndexable.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Polymorphic.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Routing.build/Router~partial.swiftdoc : /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/Branch.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/ParametersContainer.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteBuilder+RouteCollection.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteBuilder+RouteGroup.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteBuilder.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteCollection.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteGroup+RouteBuilder.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/RouteGroup.swift /Users/thendral/POC/vapor/Friends/Packages/Routing-1.0.1/Sources/Routing/Router.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Core.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/libc.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Node.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/PathIndexable.swiftmodule /Users/thendral/POC/vapor/Friends/.build/debug/Polymorphic.swiftmodule
D
c: Copyright (C) 1998 - 2022, Daniel Stenberg, <daniel@haxx.se>, et al. SPDX-License-Identifier: curl Long: tlsauthtype Arg: <type> Help: TLS authentication type Added: 7.21.4 Category: tls auth Example: --tlsauthtype SRP $URL See-also: tlsuser Multi: single --- Set TLS authentication type. Currently, the only supported option is "SRP", for TLS-SRP (RFC 5054). If --tlsuser and --tlspassword are specified but --tlsauthtype is not, then this option defaults to "SRP". This option works only if the underlying libcurl is built with TLS-SRP support, which requires OpenSSL or GnuTLS with TLS-SRP support.
D
import std.array; import i_column_site_action, chunkstage, column_site_queue_item, doxel_world; class StageBuffer { private Appender!(Chunk[]) _chunks; @property Chunk[] chunks() { return _chunks.data(); } private int _count; @property int count(){ return _count; } private int _limit; private ChunkStage _stage; private QueueItemGroup _itemGroup; this(ChunkStage stage, int limit) { _limit = limit; _stage = stage; } void addQueueItem(ColumnSiteQueueItem item) { if(_count == 0) _itemGroup = new QueueItemGroup(); _itemGroup.add(item); _chunks.put( item.chunks.dup ); _count++; if(_count == _limit) flush(_stage); } void flush(ChunkStage stage) { stage.createStageObject( _chunks.data().dup ); _chunks.clear(); _count = 0; } } class ChunkStageAction: IColumnSiteAction { private ChunkStage _stage; private World _world; private StageBuffer _buffer; private StageBuffer _nearBuffer; private StageBuffer _mediumBuffer; private StageBuffer _farBuffer; private float _stageRangeSquared; this(ChunkStage stage, World world, float stageRange) { _stage = stage; _world = world; _nearBuffer = new StageBuffer(stage, 3); _mediumBuffer = new StageBuffer(stage, 5); _farBuffer = new StageBuffer(stage, 7); } void perform(ColumnSiteQueueItem qItem) { if(qItem.state == ColumnSiteState.ON_STAGE) { // if its on stage by itself, check if needs to be put in a group. } else if(qItem.state == ColumnSiteState.IN_GROUP) { } else { auto action = getDistanceAction(qItem); action(qItem); } } private void delegate(ColumnSiteQueueItem) getDistanceAction(ColumnSiteQueueItem qItem) { if(qItem.camDistanceSq > 90000) return getBufferAction(_farBuffer); if(qItem.camDistanceSq > 40000) return getBufferAction(_mediumBuffer); if(qItem.camDistanceSq > 10000) return getBufferAction(_nearBuffer); return getStageAdd(); } private void delegate(ColumnSiteQueueItem) getBufferAction(StageBuffer buffer) { return delegate void(ColumnSiteQueueItem item){ buffer.addQueueItem( item ); item.state = ColumnSiteState.IN_GROUP; }; } private void delegate(ColumnSiteQueueItem) getStageAdd() { return delegate void(ColumnSiteQueueItem item){ _stage.createStageObject( item.chunks.dup ); item.state = ColumnSiteState.ON_STAGE; }; } }
D
instance GUR_1212_MadCorKalom_Talk2SC(C_Info) { npc = GUR_1212_MadCorKalom; condition = GUR_1212_MadCorKalom_Talk2SC_Condition; information = GUR_1212_MadCorKalom_Talk2SC_Info; important = 1; permanent = 0; }; func int GUR_1212_MadCorKalom_Talk2SC_Condition() { return TRUE; }; func void GUR_1212_MadCorKalom_Talk2SC_Info() { AI_SetWalkMode(self,NPC_WALK); AI_GotoNpc(self,hero); AI_Output(self,hero,"GUR_1212_MadCorKalom_Talk2SC_10_01"); //Konečně se znovu setkáváme! AI_Output(self,hero,"GUR_1212_MadCorKalom_Talk2SC_10_02"); //Můj mistr mi už vyprávěl o tvém příchodu! AI_Output(self,hero,"GUR_1212_MadCorKalom_Talk2SC_10_03"); //Dokáže vycítit tvoji přítomnost. AI_Output(hero,self,"GUR_1212_MadCorKalom_Talk2SC_15_04"); //Brzy mu budu blíž, než se mu bude líbit. AI_Output(self,hero,"GUR_1212_MadCorKalom_Talk2SC_10_05"); //Nechceme, abys zmařil naše plány. AI_Output(self,hero,"GUR_1212_MadCorKalom_Talk2SC_10_06"); //Svět se stane svědkem probuzení spasitele a nikdo ho nezastaví. AI_Output(self,hero,"GUR_1212_MadCorKalom_Talk2SC_10_07"); //Všichni nevěrci zaplatí svůj dluh. AI_Output(self,hero,"GUR_1212_MadCorKalom_Talk2SC_10_08"); //A tobě se dostane té cti zaplatit jako první. AI_Output(self,hero,"GUR_1212_MadCorKalom_Talk2SC_10_09"); //SSSPÁÁÁÁÁČČČÍÍÍÍ, PRROOBUUUĎĎĎ SSEEE!!!!!!!! AI_StopProcessInfos(self); Npc_SetAttitude(self,ATT_HOSTILE); Npc_SetTempAttitude(self,ATT_HOSTILE); AI_Wait(self,2); Npc_SetTarget(self,hero); AI_StartState(self,ZS_Attack,0,""); };
D
/* TEST_OUTPUT: --- fail_compilation/fail6453.d(13): Error: struct fail6453.S6453x mixing invariants with different `shared`/`synchronized` qualifiers is not supported fail_compilation/fail6453.d(18): Error: class fail6453.C6453y mixing invariants with different `shared`/`synchronized` qualifiers is not supported fail_compilation/fail6453.d(23): Error: class fail6453.C6453z mixing invariants with different `shared`/`synchronized` qualifiers is not supported --- */ struct S6453x { invariant() {} shared invariant() {} } class C6453y { invariant() {} synchronized invariant() {} } class C6453z { shared invariant() {} synchronized invariant() {} }
D
module gsl.integration; public import gsl.bindings.integration; import std.math; /** GSL Integration wrapper This uses the QAGS rule, and returns a class with opApply defined on it, which integrates between a and b. We cache the function passed in, to allow this to be used in nested contexts. However, if you get an unexplained segfault, this is what you should worry about. WARNING!!! Note that this is not thread-safe --- in particular, do not use it naively with std.parallelism. The unittest below shows you how you might do it. Effectively, you need separate copies of the integral. */ auto Integrate(P)(P func, double epsabs=1.0e-10, double epsrel=1.0e-7, size_t wksize=1000) { class Integral { private P func; private gsl_function ff; private gsl_integration_workspace* wk; private double _result, _abserr; private size_t wksize; private double _epsabs, _epsrel; this(P func, size_t wksize, double epsabs,double epsrel) { this.func = func; this.wksize = wksize; ff = make_gsl_function(&this.func); wk = gsl_integration_workspace_alloc(wksize); _epsrel = epsrel; _epsabs = epsabs; } ~this() { gsl_integration_workspace_free (wk); } // If lo is infinite, integrate from -\infinity // If hi is infinite, integrate to \infinity double opCall(double lo, double hi) { if (isInfinity(lo) && isInfinity(hi)) { gsl_integration_qagi(&ff, _epsabs, _epsrel, wksize, wk, &_result, &_abserr); } else if (isInfinity(lo)) { gsl_integration_qagil(&ff, hi, _epsabs, _epsrel, wksize, wk, &_result, &_abserr); } else if (isInfinity(hi)) { gsl_integration_qagiu(&ff, lo, _epsabs, _epsrel, wksize, wk, &_result, &_abserr); } else { gsl_integration_qags(&ff, lo, hi, _epsabs, _epsrel, wksize, wk, &_result, &_abserr); } return _result; } /// Return the last result @property double result() { return _result; } /// Return the last absolute error @property double abserr() { return _abserr; } /// Set epsabs and epsrel @property ref double epsabs() { return _epsabs; } @property ref double epsrel() { return _epsrel; } } return new Integral(func, wksize, epsabs, epsrel); } unittest { import std.random; import specd.specd; auto ff = (double x) {return sin(x);}; auto epsabs = 1.0e-10; auto epsrel = 1.0e-7; auto cosx = Integrate(ff,epsabs,epsrel); describe("cosx") .should("have epsabs set",cosx.epsabs.must.equal(epsabs)) .should("have epsrel set",cosx.epsrel.must.equal(epsrel)) .should("work in a simple case", cosx(0,PI_2).must.approxEqual(1,1.0e-7)) .should("work in another simple case", cosx(PI_2,0).must.approxEqual(-1,1.0e-7)) .should("test epsabs", cosx(0,2*PI).must.approxEqual(0,1.0e-10)) .should("test abserr", (when) { cosx(0,2*PI); cosx.abserr.must.be_!"<"(1.0e-10); }) .should("random tests", (when) { foreach(i; 0..100) { auto lo = uniform(0.0,1.0); auto hi = uniform(0.0,2.0); auto res = cos(lo)-cos(hi); cosx(lo,hi).must.approxEqual(res,res*1.0e-7+1.0e-10); } }); auto gauss = (double x) {return exp(-x*x);}; auto gaussint = Integrate(gauss); auto sqrtpi_2 = sqrt(PI)/2; describe("gaussian integral") .should("equal sqrt(pi)/2 from 0 to inf", gaussint(0,double.infinity).must.approxEqual(sqrtpi_2,1.0e-6)) .should("equal sqrt(pi)/2 from -inf to 0", gaussint(double.infinity,0).must.approxEqual(sqrtpi_2,1.0e-6)) .should("equal sqrt(pi) from -inf to inf", gaussint(double.infinity,double.infinity).must.approxEqual(sqrtpi_2*2,1.0e-6)) .should("equal sqrt(pi)/2 erf(1) from 0 to 1", gaussint(0,1).must.approxEqual(0.74682413281242702540,1.0e-6)); // ISSUE : npadmana/npD#20 // Fails on : d1ff8b735feb7343c3b703e7f72c8a6c6981dafb describe("Integrate") .should("should work in a nested context", (when) { auto makefunc() { auto ff = (double x) {return x;}; auto x2by2 = Integrate(ff); // Now return a function of Integrate (which runs the risk that ff goes out of scope) return (double x) {return x2by2(0,x);}; } auto test = makefunc(); test(2).must.approxEqual(2,2.0e-7); }); } // Test this code in a multi-threaded environment using parallelism // Note that this is not quite how you might want it to work, but it // shows you how to implement it. unittest { import std.random, std.parallelism; import specd.specd; auto ff = (double x) {return sin(x);}; auto epsabs = 1.0e-10; auto epsrel = 1.0e-7; auto cosx = Integrate(ff,epsabs,epsrel); auto pool = new TaskPool(50); scope(exit) pool.finish(); auto integrals = new typeof(cosx)[51]; foreach (ref i; integrals) { i = Integrate(ff,epsabs,epsrel); } // ISSUE : npadmana/npD#27 (driven by npadmana/npD#26) // Fails here : 771213b6c4e898bf3f426d591a94025674d46d97 describe("cosx") .should("work under parallelism", (when) { scope(exit) pool.finish(true); auto arr = new double[1_000_000]; foreach(ref elem; pool.parallel(arr,1)) { auto lo = uniform(0.0,1.0); auto hi = uniform(0.0,2.0); auto res = cos(lo)-cos(hi); elem = integrals[pool.workerIndex](lo,hi)-res; } foreach(x; arr) { x.must.approxEqual(0,1.0e-10); } }); }
D
instance DIA_Addon_Miguel_EXIT(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 999; condition = DIA_Addon_Miguel_EXIT_Condition; information = DIA_Addon_Miguel_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Addon_Miguel_EXIT_Condition() { return TRUE; }; func void DIA_Addon_Miguel_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_ADDON_MIGUEL_NO_TALK(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 1; condition = dia_addon_miguel_no_talk_condition; information = dia_addon_miguel_no_talk_info; permanent = TRUE; important = TRUE; }; func int dia_addon_miguel_no_talk_condition() { if((self.aivar[AIV_LastFightAgainstPlayer] == FIGHT_LOST) && Npc_IsInState(self,ZS_Talk)) { return TRUE; }; }; func void dia_addon_miguel_no_talk_info() { B_Say(self,other,"$SPAREME"); B_Say(self,other,"$NEVERENTERROOMAGAIN"); AI_StopProcessInfos(self); }; instance DIA_Addon_Miguel_PICKPOCKET(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 900; condition = DIA_Addon_Miguel_PICKPOCKET_Condition; information = DIA_Addon_Miguel_PICKPOCKET_Info; permanent = TRUE; description = PICKPOCKET_COMM; }; func int DIA_Addon_Miguel_PICKPOCKET_Condition() { return C_Beklauen(40,48); }; func void DIA_Addon_Miguel_PICKPOCKET_Info() { Info_ClearChoices(DIA_Addon_Miguel_PICKPOCKET); Info_AddChoice(DIA_Addon_Miguel_PICKPOCKET,Dialog_Back,DIA_Addon_Miguel_PICKPOCKET_BACK); Info_AddChoice(DIA_Addon_Miguel_PICKPOCKET,DIALOG_PICKPOCKET,DIA_Addon_Miguel_PICKPOCKET_DoIt); }; func void DIA_Addon_Miguel_PICKPOCKET_DoIt() { B_Beklauen(); Info_ClearChoices(DIA_Addon_Miguel_PICKPOCKET); }; func void DIA_Addon_Miguel_PICKPOCKET_BACK() { Info_ClearChoices(DIA_Addon_Miguel_PICKPOCKET); }; instance DIA_Addon_Miguel_Hi(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 1; condition = DIA_Addon_Miguel_Hi_Condition; information = DIA_Addon_Miguel_Hi_Info; permanent = FALSE; description = "Что ты делаешь здесь?"; }; func int DIA_Addon_Miguel_Hi_Condition() { if(MIGUEL_TP == FALSE) { return TRUE; }; }; func void DIA_Addon_Miguel_Hi_Info() { AI_Output(other,self,"DIA_Addon_Miguel_Hi_15_00"); //Что ты здесь делаешь? if(Wld_IsTime(6,0,22,0)) { AI_Output(other,self,"DIA_Addon_Miguel_Hi_15_01"); //Ищешь что-нибудь? AI_Output(self,other,"DIA_Addon_Miguel_Hi_11_02"); //Растения. Я ищу растения. } else { AI_Output(self,other,"DIA_Addon_Miguel_Hi_11_03"); //Обычно я ищу растения. }; AI_Output(self,other,"DIA_Addon_Miguel_Hi_11_04"); //Большинство из них можно использовать. AI_Output(self,other,"DIA_Addon_Miguel_Hi_11_05"); //Многие растения имеют лечебные свойства, а из болотной травы получаются отличные косяки. AI_Output(self,other,"DIA_Addon_Miguel_Hi_11_06"); //До того как я попал за Барьер, я работал алхимиком. }; instance DIA_Addon_Miguel_Story(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 2; condition = DIA_Addon_Miguel_Story_Condition; information = DIA_Addon_Miguel_Story_Info; permanent = FALSE; description = "А почему ты оказался за Барьером?"; }; func int DIA_Addon_Miguel_Story_Condition() { if(Npc_KnowsInfo(other,DIA_Addon_Miguel_Hi) && (MIGUEL_TP == FALSE)) { return TRUE; }; return FALSE; }; func void DIA_Addon_Miguel_Story_Info() { AI_Output(other,self,"DIA_Addon_Miguel_Story_15_00"); //А почему ты оказался за Барьером? AI_Output(self,other,"DIA_Addon_Miguel_Story_11_01"); //Я много работал над зельями, воздействующими на разум. AI_Output(self,other,"DIA_Addon_Miguel_Story_11_02"); //Однажды вечером мой начальник Игнац выпил результат моего 'эксперимента' вместо своего вина. AI_Output(self,other,"DIA_Addon_Miguel_Story_11_03"); //Это сделало его... э-э... непредсказуемым на некоторое время, и с тех пор он немного не в себе. AI_Output(self,other,"DIA_Addon_Miguel_Story_11_04"); //(фальшиво) За это маги бросили меня за Барьер. 'Исследования запрещенных знаний,' - вот как они это назвали. }; instance DIA_Addon_Miguel_Lager(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 3; condition = DIA_Addon_Miguel_Lager_Condition; information = DIA_Addon_Miguel_Lager_Info; permanent = FALSE; description = "Расскажи мне про лагерь."; }; func int DIA_Addon_Miguel_Lager_Condition() { if(MIGUEL_TP == FALSE) { return TRUE; }; }; func void DIA_Addon_Miguel_Lager_Info() { AI_Output(other,self,"DIA_Addon_Miguel_Lager_15_00"); //Расскажи мне про лагерь. AI_Output(self,other,"DIA_Addon_Miguel_Lager_11_01"); //Я знаю немного. Сам я никогда там не был. AI_Output(self,other,"DIA_Addon_Miguel_Lager_11_02"); //Только люди Ворона были там с самого начала. Все остальные, те, кто пришел позже, как я, должны ждать, пока им не понадобятся новые люди. }; instance DIA_Addon_Miguel_WhereFrom(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 4; condition = DIA_Addon_Miguel_WhereFrom_Condition; information = DIA_Addon_Miguel_WhereFrom_Info; permanent = FALSE; description = "Откуда ты пришел?"; }; func int DIA_Addon_Miguel_WhereFrom_Condition() { if((Npc_KnowsInfo(other,DIA_Addon_Miguel_Hi) || Npc_KnowsInfo(other,DIA_Addon_Miguel_Lager)) && (MIGUEL_TP == FALSE)) { return TRUE; }; return FALSE; }; func void DIA_Addon_Miguel_WhereFrom_Info() { AI_Output(other,self,"DIA_Addon_Miguel_WhereFrom_15_00"); //Откуда ты пришел? AI_Output(self,other,"DIA_Addon_Miguel_WhereFrom_11_01"); //Ну, оттуда же, откуда и ты, я думаю. С пиратами. Через море. AI_Output(self,other,"DIA_Addon_Miguel_WhereFrom_11_02"); //Мы находимся на острове. Здесь нет другой связи с материком. AI_Output(other,self,"DIA_Addon_Miguel_WhereFrom_15_03"); //(задумчиво) Верно. }; instance DIA_Addon_Miguel_Angefordert(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 4; condition = DIA_Addon_Miguel_Angefordert_Condition; information = DIA_Addon_Miguel_Angefordert_Info; permanent = FALSE; description = "Когда им бывают нужны новые люди?"; }; func int DIA_Addon_Miguel_Angefordert_Condition() { if(Npc_KnowsInfo(other,DIA_Addon_Miguel_Lager) && (MIGUEL_TP == FALSE)) { return TRUE; }; return FALSE; }; func void DIA_Addon_Miguel_Angefordert_Info() { AI_Output(other,self,"DIA_Addon_Miguel_Angefordert_15_00"); //Когда им бывают нужны новые люди? AI_Output(self,other,"DIA_Addon_Miguel_Angefordert_11_01"); //Ну, когда они кого-нибудь теряют. AI_Output(self,other,"DIA_Addon_Miguel_Angefordert_11_02"); //Если рудокопа съедает ползун, утраченного работника заменяют одним из нас. AI_Output(self,other,"DIA_Addon_Miguel_Angefordert_11_03"); //Иногда они и сами друг друга убивают. Но в последнее время с этим полегче. AI_Output(self,other,"DIA_Addon_Miguel_Angefordert_11_04"); //Ворон каким-то образом установил контроль над шахтой, так чтобы все сразу не могли туда попасть. AI_Output(self,other,"DIA_Addon_Miguel_Angefordert_11_05"); //Но я не знаю, что именно он сделал. Я никогда не был внутри. }; instance DIA_Addon_Miguel_Fortuno(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 6; condition = DIA_Addon_Miguel_Fortuno_Condition; information = DIA_Addon_Miguel_Fortuno_Info; permanent = FALSE; description = "У Фортуно не все в порядке с головой!"; }; func int DIA_Addon_Miguel_Fortuno_Condition() { if(Npc_KnowsInfo(other,DIA_Addon_Fortuno_FREE) && (MIGUEL_TP == FALSE)) { return TRUE; }; return FALSE; }; func void DIA_Addon_Miguel_Fortuno_Info() { AI_Output(other,self,"DIA_Addon_Miguel_Fortuno_15_00"); //У Фортуно не все в порядке с головой! Он мог бы выпить зелье и вернуть себе память. AI_Output(self,other,"DIA_Addon_Miguel_Fortuno_11_01"); //Фортуно? Это слуга Ворона, да? AI_Output(other,self,"DIA_Addon_Miguel_Fortuno_15_02"); //Он был им. Теперь он просто чурбан. И это - ошибка Ворона. AI_Output(self,other,"DIA_Addon_Miguel_Fortuno_11_03"); //Ворона? Хм, до сих пор я думал о нем лучше. М-м, ну ладно. Но здесь, в болоте, я не могу сварить зелье. AI_Output(other,self,"DIA_Addon_Miguel_Fortuno_15_04"); //Я могу сварить зелье. В лагере есть стол алхимика. Мне нужен только рецепт. AI_Output(self,other,"DIA_Addon_Miguel_Fortuno_11_05"); //Будь осторожен с этим рецептом. Это зелье может быть опасно. B_GiveInvItems(self,other,ITWr_Addon_MCELIXIER_01,1); AI_Output(self,other,"DIA_Addon_Miguel_Fortuno_11_06"); //Если ты как-то не так его сваришь, или возьмешь не тот ингредиент, он может быть смертельным. AI_Output(other,self,"DIA_Addon_Miguel_Fortuno_15_07"); //Я буду осторожен. B_LogEntry(Topic_Addon_Fortuno,"Мигель дал мне рецепт зелья, которое вернет Фортуно память. Но я должен быть уверен во всех ингредиентах, иначе у меня получится смертельный яд."); }; instance DIA_Addon_Miguel_BRAU(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 7; condition = DIA_Addon_Miguel_BRAU_Condition; information = DIA_Addon_Miguel_BRAU_Info; permanent = FALSE; description = "Ты можешь научить меня кое-чему?"; }; func int DIA_Addon_Miguel_BRAU_Condition() { if(Npc_KnowsInfo(other,DIA_Addon_Miguel_Story) && (MIGUEL_TP == FALSE)) { return TRUE; }; return FALSE; }; func void DIA_Addon_Miguel_BRAU_Info() { AI_Output(other,self,"DIA_Addon_Miguel_BRAU_15_00"); //Ты можешь научить меня кое-чему? AI_Output(self,other,"DIA_Addon_Miguel_BRAU_11_01"); //У меня нет времени. Мне нужно зарабатывать золото. И пока я не могу попасть в лагерь, я живу, продавая растения. AI_Output(self,other,"DIA_Addon_Miguel_BRAU_11_02"); //Но если тебе нужны зелья, у меня пока еще есть несколько. Log_CreateTopic(Topic_Addon_BDT_Trader,LOG_NOTE); B_LogEntry(Topic_Addon_BDT_Trader,"У Мигеля я могу покупать напитки и растения."); }; instance DIA_ADDON_MIGUEL_DRAGONS(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 7; condition = dia_addon_miguel_dragons_condition; information = dia_addon_miguel_dragons_info; description = "Как дела?"; }; func int dia_addon_miguel_dragons_condition() { if((Kapitel == 3) && (MIS_AllDragonsDead == FALSE) && (MIGUEL_TP == FALSE)) { return TRUE; }; }; func void dia_addon_miguel_dragons_info() { AI_Output(other,self,"DIA_Addon_Miguel_Dragons_15_00"); //Как дела? AI_Output(self,other,"DIA_Addon_Miguel_Dragons_10_01"); //У нас все тихо. А тебя что-то давно не было видно. AI_Output(other,self,"DIA_Addon_Miguel_Dragons_15_02"); //Да все дела, дела - в общем, сам понимаешь. AI_Output(self,other,"DIA_Addon_Miguel_Dragons_10_07"); //Понятно. Кстати, я тут недавно нашел одно редкое растение. Возможно, тебя оно заинтересует. CreateInvItems(self,ItPl_Perm_Herb,1); }; instance DIA_Addon_Miguel_trade(C_Info) { npc = BDT_10022_Addon_Miguel; nr = 888; condition = DIA_Addon_Miguel_trade_Condition; information = DIA_Addon_Miguel_trade_Info; permanent = TRUE; trade = TRUE; description = "Давай займемся делом!"; }; func int DIA_Addon_Miguel_trade_Condition() { if((Npc_KnowsInfo(other,DIA_Addon_Miguel_BRAU) && (MIGUEL_TP == FALSE)) || (Kapitel == 4)) { return TRUE; }; return FALSE; }; func void DIA_Addon_Miguel_trade_Info() { if(C_BodyStateContains(self,BS_SIT)) { AI_Standup(self); AI_TurnToNPC(self,other); }; B_Say(other,self,"$TRADE_1"); B_GiveTradeInv(self); };
D
void main() { runSolver(); } void problem() { auto N = scan!int; auto X = scan!int; auto C = scan!int(2 * N).chunks(2); auto solve() { auto dp = new bool[](X + 1); dp[0] = true; foreach(c; C) { auto pre = dp.dup; auto a = c[0]; auto b = c[1]; foreach(from; 0..X) { if (!pre[from]) continue; foreach(t; 1..b + 1) { if (from + t*a > X) break; dp[from + t*a] = true; } } } return YESNO[dp[X]]; } outputForAtCoder(&solve); } // ---------------------------------------------- import std; T[][] combinations(T)(T[] s, in long m) { if (!m) return [[]]; if (s.empty) return []; return s[1 .. $].combinations(m - 1).map!(x => s[0] ~ x).array ~ s[1 .. $].combinations(m); } string scan(){ static string[] ss; while(!ss.length) ss = readln.chomp.split; string res = ss[0]; ss.popFront; return res; } T scan(T)(){ return scan.to!T; } T[] scan(T)(long n){ return n.iota.map!(i => scan!T()).array; } void deb(T ...)(T t){ debug writeln(t); } long[] divisors(long n) { long[] ret; for (long i = 1; i * i <= n; i++) { if (n % i == 0) { ret ~= i; if (i * i != n) ret ~= n / i; } } return ret.sort.array; } bool chmin(T)(ref T a, T b) { if (b < a) { a = b; return true; } else return false; } bool chmax(T)(ref T a, T b) { if (b > a) { a = b; return true; } else return false; } string charSort(alias S = "a < b")(string s) { return (cast(char[])((cast(byte[])s).sort!S.array)).to!string; } ulong comb(ulong a, ulong b) { if (b == 0) {return 1;}else{return comb(a - 1, b - 1) * a / b;}} string toAnswerString(R)(R r) { return r.map!"a.to!string".joiner(" ").array.to!string; } struct ModInt(uint MD) if (MD < int.max) {ulong v;this(string v) {this(v.to!long);}this(int v) {this(long(v));}this(long v) {this.v = (v%MD+MD)%MD;}void opAssign(long t) {v = (t%MD+MD)%MD;}static auto normS(ulong x) {return (x<MD)?x:x-MD;}static auto make(ulong x) {ModInt m; m.v = x; return m;}auto opBinary(string op:"+")(ModInt r) const {return make(normS(v+r.v));}auto opBinary(string op:"-")(ModInt r) const {return make(normS(v+MD-r.v));}auto opBinary(string op:"*")(ModInt r) const {return make((ulong(v)*r.v%MD).to!ulong);}auto opBinary(string op:"^^", T)(T r) const {long x=v;long y=1;while(r){if(r%2==1)y=(y*x)%MD;x=x^^2%MD;r/=2;} return make(y);}auto opBinary(string op:"/")(ModInt r) const {return this*memoize!inv(r);}static ModInt inv(ModInt x) {return x^^(MD-2);}string toString() const {return v.to!string;}auto opOpAssign(string op)(ModInt r) {return mixin ("this=this"~op~"r");}} alias MInt1 = ModInt!(10^^9 + 7); alias MInt9 = ModInt!(998_244_353); void outputForAtCoder(T)(T delegate() fn) { static if (is(T == float) || is(T == double) || is(T == real)) "%.16f".writefln(fn()); else static if (is(T == void)) fn(); else static if (is(T == string)) fn().writeln; else static if (isInputRange!T) { static if (!is(string == ElementType!T) && isInputRange!(ElementType!T)) foreach(r; fn()) r.toAnswerString.writeln; else foreach(r; fn()) r.writeln; } else fn().writeln; } void runSolver() { static import std.datetime.stopwatch; enum BORDER = "=================================="; debug { BORDER.writeln; while(!stdin.eof) { "<<< Process time: %s >>>".writefln(std.datetime.stopwatch.benchmark!problem(1)); BORDER.writeln; } } else problem(); } enum YESNO = [true: "Yes", false: "No"]; // ----------------------------------------------- struct UnionFind { int[] parent; this(int size) { parent.length = size; foreach(i; 0..size) parent[i] = i; } int root(int x) { if (parent[x] == x) return x; return parent[x] = root(parent[x]); } int unite(int x, int y) { int rootX = root(x); int rootY = root(y); if (rootX == rootY) return rootY; return parent[rootX] = rootY; } bool same(int x, int y) { int rootX = root(x); int rootY = root(y); return rootX == rootY; } }
D
/Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/Build/Intermediates/ViperDemo.build/Debug-iphonesimulator/ViperDemo.build/Objects-normal/x86_64/VIPERViewController.o : /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/WireFrame/VIPERWireFrame.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/Configure/VIPERConfigure.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/AppDelegate.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ItemModel.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/ViewModel/VIPERViewModel.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViewController.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/View/VIPERViewController.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/View/AddViewController.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/Presenter/VIPERPresenter.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/Interactor/VIPERInteractor.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/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/Build/Intermediates/ViperDemo.build/Debug-iphonesimulator/ViperDemo.build/Objects-normal/x86_64/VIPERViewController~partial.swiftmodule : /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/WireFrame/VIPERWireFrame.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/Configure/VIPERConfigure.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/AppDelegate.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ItemModel.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/ViewModel/VIPERViewModel.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViewController.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/View/VIPERViewController.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/View/AddViewController.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/Presenter/VIPERPresenter.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/Interactor/VIPERInteractor.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/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/Build/Intermediates/ViperDemo.build/Debug-iphonesimulator/ViperDemo.build/Objects-normal/x86_64/VIPERViewController~partial.swiftdoc : /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/WireFrame/VIPERWireFrame.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/Configure/VIPERConfigure.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/AppDelegate.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ItemModel.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/ViewModel/VIPERViewModel.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViewController.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/View/VIPERViewController.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/View/AddViewController.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/Presenter/VIPERPresenter.swift /Users/vtsoft2/Documents/hungtv64/DemoCodes/ViperDemo/ViperDemo/ViperView/Interactor/VIPERInteractor.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
D
<?xml version="1.0" encoding="ASCII"?> <di:SashWindowsMngr xmi:version="2.0" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi"> <pageList> <availablePage> <emfPageIdentifier href="model.notation#_MuA-gIO9EeG_L_irDJEzLg"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="model.notation#_MuA-gIO9EeG_L_irDJEzLg"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
// See ../../README.md for information about DMD unit tests. module compilable.crlf; import support : afterEach, beforeEach, defaultImportPaths; @beforeEach initializeFrontend() { import dmd.frontend : initDMD; initDMD(); } @afterEach deinitializeFrontend() { import dmd.frontend : deinitializeDMD; deinitializeDMD(); } @("test CRLF and mixed line endings") unittest { import std.array : join; import std.format : format; import support : compiles, stripDelimited; // not using token string due to https://issues.dlang.org/show_bug.cgi?id=19315 enum crLFCode = ` #!/usr/bin/env dmd -run #line 4 void main() { } // single-line comment /* multi-line comment */ /+ nested comment +/ /** doc comment */ void documentee() {} ` .stripDelimited .toCRLF; enum codeLines = [ "// mixed\n// line\n// endings", "void fun()\n{\n}", format!`enum str = "%s";`("\r\nfoo\r\nbar\nbaz\r\n"), `static assert(str == "\nfoo\nbar\nbaz\n");` , format!"enum bstr = `%s`;"("\r\nfoo\r\nbar\nbaz\r\n"), `static assert(bstr == "\nfoo\nbar\nbaz\n");`, format!`enum wstr = q"%s";`("EOF\r\nfoo\r\nbar\nbaz\r\nEOF"), `static assert(wstr == "foo\nbar\nbaz\n");`, format!`enum dstr = q"(%s)";`("\r\nfoo\r\nbar\nbaz\r\n"), `static assert(dstr == "\nfoo\nbar\nbaz\n");` ]; enum code = crLFCode ~ "\r\n" ~ codeLines.join('\n') ~ '\n'; const result = compiles(code); assert(result, "\n" ~ result.toString); } private: string toCRLF(string str) { import std.string : lineSplitter, join; return str.lineSplitter.join("\r\n"); }
D
/** * This module types and functions for getting watch information. */ module pebble.watchinfo; @nogc: nothrow: enum WatchInfoModel { /// Unknown model unknown = 0, /// Original Pebble original = 1, /// Pebble Steel steel = 2, /// Pebble Time time = 3 } /// alias WATCH_INFO_MODEL_UNKNOWN = WatchInfoModel.unknown; /// alias WATCH_INFO_MODEL_PEBBLE_ORIGINAL = WatchInfoModel.original; /// alias WATCH_INFO_MODEL_PEBBLE_STEEL = WatchInfoModel.steel; /// alias WATCH_INFO_MODEL_PEBBLE_TIME = WatchInfoModel.time; /// The different watch colors. enum WatchInfoColor { /// Unknown color unknown = 0, /// Black black = 1, /// White white = 2, /// Red red = 3, /// Orange orange = 4, /// Grey grey = 5, /// Stainless Steel stainless_steel = 6, /// Matte Black matte_black = 7, /// Blue blue = 8, /// Green green = 9, /// Pink pink = 10, /// White time_white = 11, /// Black time_black = 12, /// Red time_red = 13 } /// alias WATCH_INFO_COLOR_UNKNOWN = WatchInfoColor.unknown; /// alias WATCH_INFO_COLOR_BLACK = WatchInfoColor.black; /// alias WATCH_INFO_COLOR_WHITE = WatchInfoColor.white; /// alias WATCH_INFO_COLOR_RED = WatchInfoColor.red; /// alias WATCH_INFO_COLOR_ORANGE = WatchInfoColor.orange; /// alias WATCH_INFO_COLOR_GREY = WatchInfoColor.grey; /// alias WATCH_INFO_COLOR_STAINLESS_STEEL = WatchInfoColor.stainless_steel; /// alias WATCH_INFO_COLOR_MATTE_BLACK = WatchInfoColor.matte_black; /// alias WATCH_INFO_COLOR_BLUE = WatchInfoColor.blue; /// alias WATCH_INFO_COLOR_GREEN = WatchInfoColor.green; /// alias WATCH_INFO_COLOR_PINK = WatchInfoColor.pink; /// alias WATCH_INFO_COLOR_TIME_WHITE = WatchInfoColor.time_white; /// alias WATCH_INFO_COLOR_TIME_BLACK = WatchInfoColor.time_black; /// alias WATCH_INFO_COLOR_TIME_RED = WatchInfoColor.time_red; /** * Data structure containing the version of the firmware running on the watch. * * The version of the firmware has the form X.[X.[X]]. * If a version number is not present it will be 0. * * For example: the version numbers of 2.4.1 are 2, 4, and 1. * The version numbers of 2.4 are 2, 4, and 0. */ extern(C) struct WatchInfoVersion { /// Major version number ubyte major; /// Minor version number ubyte minor; /// Patch version number ubyte patch; } /** * Provides the model of the watch. * Returns: A WatchInfoModel representing the model of the watch. */ extern(C) WatchInfoModel watch_info_get_model(); /** * Provides the version of the firmware running on the watch. * * Returns: A WatchInfoVersion representing the version of the firmware running on the watch. */ extern(C) WatchInfoVersion watch_info_get_firmware_version(); /** * Provides the color of the watch. * * Returns: A WatchInfoColor representing the color of the watch. */ extern(C) WatchInfoColor watch_info_get_color();
D
import std.ascii; import std.file; import std.stdio; import std.string; enum State { NONE, ESCAPED, HEX1, HEX2 } static ulong dec_diff(in string txt) { ulong len = 0; State state = State.NONE; foreach(c; txt) { if (state == State.NONE) { if (c == '\\') { state = State.ESCAPED; } else if (c != '"') { len++; } } else if (state == State.ESCAPED) { if (c == 'x') { state = State.HEX1; } else if (c == '\\' || c == '"') { len++; state = State.NONE; } else { state = State.NONE; } } else if (state == State.HEX1) { if (isHexDigit(c)) { state = State.HEX2; } else { state = State.NONE; } } else if (state == State.HEX2) { if (isHexDigit(c)) { len++; } state = State.NONE; } } return txt.length - len; } static ulong enc_diff(in string line) { ulong len = 0; foreach (c; line) { if (c == '\\' || c == '"') { len++; } len++; } return len + 2 - line.length; } int main(string[] args) { if (args.length < 2) { stderr.writefln("Usage: %s <filename>", args[0]); return 1; } string txt; try { txt = readText(args[1]); } catch (FileException e) { stderr.writeln(e.msg); return 1; } ulong part1 = 0; ulong part2 = 0; foreach(line; txt.splitLines) { part1 += dec_diff(line); part2 += enc_diff(line); } writeln("Part1: ", part1); writeln("Part2: ", part2); return 0; }
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, std.bitmanip; immutable long MOD = 10^^9 + 7; long[] F; void main() { auto S = readln.chomp; auto A = readln.chomp.to!int; long ans = 0; long restW = A; long restF = S.length.to!int - A; foreach (c; S) { if (c == 'W') --restW; else if (c == 'F') --restF; } F = new long[](3*10^^6+1); F[0] = 1; foreach (i; 1..3*10^^6+1) F[i] = F[i-1] * i % MOD; foreach (i; 0..S.length.to!int) { int j = (i + 1) % (S.length.to!int); if (S[i] != '?' && S[j] != '?' && S[i] != S[j]) { ans += comb(restW + restF, restW); } else if ((S[i] == '?' && S[j] == 'F') || (S[i] == 'F' && S[j] == '?')) { ans += comb(restW - 1 + restF, restW - 1); } else if ((S[i] == '?' && S[j] == 'W') || (S[i] == 'W' && S[j] == '?')) { ans += comb(restW + restF - 1, restW); } else if (S[i] == '?' && S[j] == '?') { ans += comb(restW - 1 + restF - 1, restW - 1) * 2 % MOD; } ans %= 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; } long comb(long n, long r) { if (n < 0 || r < 0 || n < r) return 0; return F[n] * powmod(F[n-r], MOD-2, MOD) % MOD * powmod(F[r], MOD-2, MOD) % MOD; }
D
/Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/CombineLatest+Collection.o : /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Reactive.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Errors.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Event.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/CombineLatest+Collection~partial.swiftmodule : /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Reactive.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Errors.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Event.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/CombineLatest+Collection~partial.swiftdoc : /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Deprecated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Cancelable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObserverType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Reactive.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/RecursiveLock.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DeprecationWarner.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Errors.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Event.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/First.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Extensions/String+Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Rx.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/Platform/Platform.Linux.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Salgara/Desktop/IOS/CurrencyApp/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/Salgara/Desktop/IOS/CurrencyApp/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
a person who is under the protection or in the custody of another a district into which a city or town is divided for the purpose of administration and elections block forming a division of a hospital (or a suite of rooms) shared by patients who need a similar kind of care English economist and conservationist (1914-1981) English writer of novels who was an active opponent of the women's suffrage movement (1851-1920) United States businessman who in 1872 established a successful mail-order business (1843-1913) a division of a prison (usually consisting of several cells) watch over or shield from danger or harm
D
/* zlib.d: modified from zlib.h by Walter Bright */ /* updated from 1.2.1 to 1.2.3 by Thomas Kuehne */ module etc.c.zlib; /* zlib.h -- interface of the 'zlib' general purpose compression library version 1.2.3, July 18th, 2005 Copyright (C) 1995-2005 Jean-loup Gailly and Mark Adler This software is provided 'as-is', without any express or implied warranty. In no event will the authors be held liable for any damages arising from the use of this software. Permission is granted to anyone to use this software for any purpose, including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions: 1. The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment in the product documentation would be appreciated but is not required. 2. Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software. 3. This notice may not be removed or altered from any source distribution. Jean-loup Gailly Mark Adler jloup@gzip.org madler@alumni.caltech.edu The data format used by the zlib library is described by RFCs (Request for Comments) 1950 to 1952 in the files http://www.ietf.org/rfc/rfc1950.txt (zlib format), rfc1951.txt (deflate format) and rfc1952.txt (gzip format). */ extern (C): const char[] ZLIB_VERSION = "1.2.3"; const ZLIB_VERNUM = 0x1230; /* The 'zlib' compression library provides in-memory compression and decompression functions, including integrity checks of the uncompressed data. This version of the library supports only one compression method (deflation) but other algorithms will be added later and will have the same stream interface. Compression can be done in a single step if the buffers are large enough (for example if an input file is mmap'ed), or can be done by repeated calls of the compression function. In the latter case, the application must provide more input and/or consume the output (providing more output space) before each call. The compressed data format used by default by the in-memory functions is the zlib format, which is a zlib wrapper documented in RFC 1950, wrapped around a deflate stream, which is itself documented in RFC 1951. The library also supports reading and writing files in gzip (.gz) format with an interface similar to that of stdio using the functions that start with "gz". The gzip format is different from the zlib format. gzip is a gzip wrapper, documented in RFC 1952, wrapped around a deflate stream. This library can optionally read and write gzip streams in memory as well. The zlib format was designed to be compact and fast for use in memory and on communications channels. The gzip format was designed for single- file compression on file systems, has a larger header than zlib to maintain directory information, and uses a different, slower check method than zlib. The library does not install any signal handler. The decoder checks the consistency of the compressed data, so the library should never crash even in case of corrupted input. */ alias void* function (void* opaque, uint items, uint size) alloc_func; alias void function (void* opaque, void* address) free_func; struct z_stream { ubyte *next_in; /* next input byte */ uint avail_in; /* number of bytes available at next_in */ size_t total_in; /* total nb of input bytes read so far */ ubyte *next_out; /* next output byte should be put there */ uint avail_out; /* remaining free space at next_out */ size_t total_out; /* total nb of bytes output so far */ char *msg; /* last error message, NULL if no error */ void* state; /* not visible by applications */ alloc_func zalloc; /* used to allocate the internal state */ free_func zfree; /* used to free the internal state */ void* opaque; /* private data object passed to zalloc and zfree */ int data_type; /* best guess about the data type: binary or text */ size_t adler; /* adler32 value of the uncompressed data */ size_t reserved; /* reserved for future use */ } alias z_stream* z_streamp; /* gzip header information passed to and from zlib routines. See RFC 1952 for more details on the meanings of these fields. */ struct gz_header { int text; /* true if compressed data believed to be text */ ulong time; /* modification time */ int xflags; /* extra flags (not used when writing a gzip file) */ int os; /* operating system */ byte *extra; /* pointer to extra field or Z_NULL if none */ uint extra_len; /* extra field length (valid if extra != Z_NULL) */ uint extra_max; /* space at extra (only when reading header) */ byte *name; /* pointer to zero-terminated file name or Z_NULL */ uint name_max; /* space at name (only when reading header) */ byte *comment; /* pointer to zero-terminated comment or Z_NULL */ uint comm_max; /* space at comment (only when reading header) */ int hcrc; /* true if there was or will be a header crc */ int done; /* true when done reading gzip header (not used when writing a gzip file) */ } alias gz_header* gz_headerp; /* The application must update next_in and avail_in when avail_in has dropped to zero. It must update next_out and avail_out when avail_out has dropped to zero. The application must initialize zalloc, zfree and opaque before calling the init function. All other fields are set by the compression library and must not be updated by the application. The opaque value provided by the application will be passed as the first parameter for calls of zalloc and zfree. This can be useful for custom memory management. The compression library attaches no meaning to the opaque value. zalloc must return Z_NULL if there is not enough memory for the object. If zlib is used in a multi-threaded application, zalloc and zfree must be thread safe. On 16-bit systems, the functions zalloc and zfree must be able to allocate exactly 65536 bytes, but will not be required to allocate more than this if the symbol MAXSEG_64K is defined (see zconf.h). WARNING: On MSDOS, pointers returned by zalloc for objects of exactly 65536 bytes *must* have their offset normalized to zero. The default allocation function provided by this library ensures this (see zutil.c). To reduce memory requirements and avoid any allocation of 64K objects, at the expense of compression ratio, compile the library with -DMAX_WBITS=14 (see zconf.h). The fields total_in and total_out can be used for statistics or progress reports. After compression, total_in holds the total size of the uncompressed data and may be saved for use in the decompressor (particularly if the decompressor wants to decompress everything in a single step). */ /* constants */ enum { Z_NO_FLUSH = 0, Z_PARTIAL_FLUSH = 1, /* will be removed, use Z_SYNC_FLUSH instead */ Z_SYNC_FLUSH = 2, Z_FULL_FLUSH = 3, Z_FINISH = 4, Z_BLOCK = 5, Z_TREES = 6, } /* Allowed flush values; see deflate() and inflate() below for details */ enum { Z_OK = 0, Z_STREAM_END = 1, Z_NEED_DICT = 2, Z_ERRNO = -1, Z_STREAM_ERROR = -2, Z_DATA_ERROR = -3, Z_MEM_ERROR = -4, Z_BUF_ERROR = -5, Z_VERSION_ERROR = -6, } /* Return codes for the compression/decompression functions. Negative * values are errors, positive values are used for special but normal events. */ enum { Z_NO_COMPRESSION = 0, Z_BEST_SPEED = 1, Z_BEST_COMPRESSION = 9, Z_DEFAULT_COMPRESSION = -1, } /* compression levels */ enum { Z_FILTERED = 1, Z_HUFFMAN_ONLY = 2, Z_RLE = 3, Z_FIXED = 4, Z_DEFAULT_STRATEGY = 0, } /* compression strategy; see deflateInit2() below for details */ enum { Z_BINARY = 0, Z_TEXT = 1, Z_UNKNOWN = 2, Z_ASCII = Z_TEXT } /* Possible values of the data_type field (though see inflate()) */ enum { Z_DEFLATED = 8, } /* The deflate compression method (the only one supported in this version) */ const int Z_NULL = 0; /* for initializing zalloc, zfree, opaque */ /* basic functions */ char* zlibVersion(); /* The application can compare zlibVersion and ZLIB_VERSION for consistency. If the first character differs, the library code actually used is not compatible with the zlib.h header file used by the application. This check is automatically made by deflateInit and inflateInit. */ int deflateInit(z_streamp strm, int level) { return deflateInit_(strm, level, ZLIB_VERSION.ptr, z_stream.sizeof); } /* Initializes the internal stream state for compression. The fields zalloc, zfree and opaque must be initialized before by the caller. If zalloc and zfree are set to Z_NULL, deflateInit updates them to use default allocation functions. The compression level must be Z_DEFAULT_COMPRESSION, or between 0 and 9: 1 gives best speed, 9 gives best compression, 0 gives no compression at all (the input data is simply copied a block at a time). Z_DEFAULT_COMPRESSION requests a default compromise between speed and compression (currently equivalent to level 6). deflateInit returns Z_OK if success, Z_MEM_ERROR if there was not enough memory, Z_STREAM_ERROR if level is not a valid compression level, Z_VERSION_ERROR if the zlib library version (zlib_version) is incompatible with the version assumed by the caller (ZLIB_VERSION). msg is set to null if there is no error message. deflateInit does not perform any compression: this will be done by deflate(). */ int deflate(z_streamp strm, int flush); /* deflate compresses as much data as possible, and stops when the input buffer becomes empty or the output buffer becomes full. It may introduce some output latency (reading input without producing any output) except when forced to flush. The detailed semantics are as follows. deflate performs one or both of the following actions: - Compress more input starting at next_in and update next_in and avail_in accordingly. If not all input can be processed (because there is not enough room in the output buffer), next_in and avail_in are updated and processing will resume at this point for the next call of deflate(). - Provide more output starting at next_out and update next_out and avail_out accordingly. This action is forced if the parameter flush is non zero. Forcing flush frequently degrades the compression ratio, so this parameter should be set only when necessary (in interactive applications). Some output may be provided even if flush is not set. Before the call of deflate(), the application should ensure that at least one of the actions is possible, by providing more input and/or consuming more output, and updating avail_in or avail_out accordingly; avail_out should never be zero before the call. The application can consume the compressed output when it wants, for example when the output buffer is full (avail_out == 0), or after each call of deflate(). If deflate returns Z_OK and with zero avail_out, it must be called again after making room in the output buffer because there might be more output pending. Normally the parameter flush is set to Z_NO_FLUSH, which allows deflate to decide how much data to accumualte before producing output, in order to maximize compression. If the parameter flush is set to Z_SYNC_FLUSH, all pending output is flushed to the output buffer and the output is aligned on a byte boundary, so that the decompressor can get all input data available so far. (In particular avail_in is zero after the call if enough output space has been provided before the call.) Flushing may degrade compression for some compression algorithms and so it should be used only when necessary. If flush is set to Z_FULL_FLUSH, all output is flushed as with Z_SYNC_FLUSH, and the compression state is reset so that decompression can restart from this point if previous compressed data has been damaged or if random access is desired. Using Z_FULL_FLUSH too often can seriously degrade compression. If deflate returns with avail_out == 0, this function must be called again with the same value of the flush parameter and more output space (updated avail_out), until the flush is complete (deflate returns with non-zero avail_out). In the case of a Z_FULL_FLUSH or Z_SYNC_FLUSH, make sure that avail_out is greater than six to avoid repeated flush markers due to avail_out == 0 on return. If the parameter flush is set to Z_FINISH, pending input is processed, pending output is flushed and deflate returns with Z_STREAM_END if there was enough output space; if deflate returns with Z_OK, this function must be called again with Z_FINISH and more output space (updated avail_out) but no more input data, until it returns with Z_STREAM_END or an error. After deflate has returned Z_STREAM_END, the only possible operations on the stream are deflateReset or deflateEnd. Z_FINISH can be used immediately after deflateInit if all the compression is to be done in a single step. In this case, avail_out must be at least the value returned by deflateBound (see below). If deflate does not return Z_STREAM_END, then it must be called again as described above. deflate() sets strm->adler to the adler32 checksum of all input read so far (that is, total_in bytes). deflate() may update strm->data_type if it can make a good guess about the input data type (Z_BINARY or Z_TEXT). In doubt, the data is considered binary. This field is only for information purposes and does not affect the compression algorithm in any manner. deflate() returns Z_OK if some progress has been made (more input processed or more output produced), Z_STREAM_END if all input has been consumed and all output has been produced (only when flush is set to Z_FINISH), Z_STREAM_ERROR if the stream state was inconsistent (for example if next_in or next_out was NULL), Z_BUF_ERROR if no progress is possible (for example avail_in or avail_out was zero). Note that Z_BUF_ERROR is not fatal, and deflate() can be called again with more input and more output space to continue compressing. */ int deflateEnd(z_streamp strm); /* All dynamically allocated data structures for this stream are freed. This function discards any unprocessed input and does not flush any pending output. deflateEnd returns Z_OK if success, Z_STREAM_ERROR if the stream state was inconsistent, Z_DATA_ERROR if the stream was freed prematurely (some input or output was discarded). In the error case, msg may be set but then points to a static string (which must not be deallocated). */ int inflateInit(z_streamp strm) { return inflateInit_(strm, ZLIB_VERSION.ptr, z_stream.sizeof); } /* Initializes the internal stream state for decompression. The fields next_in, avail_in, zalloc, zfree and opaque must be initialized before by the caller. If next_in is not Z_NULL and avail_in is large enough (the exact value depends on the compression method), inflateInit determines the compression method from the zlib header and allocates all data structures accordingly; otherwise the allocation will be deferred to the first call of inflate. If zalloc and zfree are set to Z_NULL, inflateInit updates them to use default allocation functions. inflateInit returns Z_OK if success, Z_MEM_ERROR if there was not enough memory, Z_VERSION_ERROR if the zlib library version is incompatible with the version assumed by the caller. msg is set to null if there is no error message. inflateInit does not perform any decompression apart from reading the zlib header if present: this will be done by inflate(). (So next_in and avail_in may be modified, but next_out and avail_out are unchanged.) */ int inflate(z_streamp strm, int flush); /* inflate decompresses as much data as possible, and stops when the input buffer becomes empty or the output buffer becomes full. It may introduce some output latency (reading input without producing any output) except when forced to flush. The detailed semantics are as follows. inflate performs one or both of the following actions: - Decompress more input starting at next_in and update next_in and avail_in accordingly. If not all input can be processed (because there is not enough room in the output buffer), next_in is updated and processing will resume at this point for the next call of inflate(). - Provide more output starting at next_out and update next_out and avail_out accordingly. inflate() provides as much output as possible, until there is no more input data or no more space in the output buffer (see below about the flush parameter). Before the call of inflate(), the application should ensure that at least one of the actions is possible, by providing more input and/or consuming more output, and updating the next_* and avail_* values accordingly. The application can consume the uncompressed output when it wants, for example when the output buffer is full (avail_out == 0), or after each call of inflate(). If inflate returns Z_OK and with zero avail_out, it must be called again after making room in the output buffer because there might be more output pending. The flush parameter of inflate() can be Z_NO_FLUSH, Z_SYNC_FLUSH, Z_FINISH, or Z_BLOCK. Z_SYNC_FLUSH requests that inflate() flush as much output as possible to the output buffer. Z_BLOCK requests that inflate() stop if and when it gets to the next deflate block boundary. When decoding the zlib or gzip format, this will cause inflate() to return immediately after the header and before the first block. When doing a raw inflate, inflate() will go ahead and process the first block, and will return when it gets to the end of that block, or when it runs out of data. The Z_BLOCK option assists in appending to or combining deflate streams. Also to assist in this, on return inflate() will set strm->data_type to the number of unused bits in the last byte taken from strm->next_in, plus 64 if inflate() is currently decoding the last block in the deflate stream, plus 128 if inflate() returned immediately after decoding an end-of-block code or decoding the complete header up to just before the first byte of the deflate stream. The end-of-block will not be indicated until all of the uncompressed data from that block has been written to strm->next_out. The number of unused bits may in general be greater than seven, except when bit 7 of data_type is set, in which case the number of unused bits will be less than eight. inflate() should normally be called until it returns Z_STREAM_END or an error. However if all decompression is to be performed in a single step (a single call of inflate), the parameter flush should be set to Z_FINISH. In this case all pending input is processed and all pending output is flushed; avail_out must be large enough to hold all the uncompressed data. (The size of the uncompressed data may have been saved by the compressor for this purpose.) The next operation on this stream must be inflateEnd to deallocate the decompression state. The use of Z_FINISH is never required, but can be used to inform inflate that a faster approach may be used for the single inflate() call. In this implementation, inflate() always flushes as much output as possible to the output buffer, and always uses the faster approach on the first call. So the only effect of the flush parameter in this implementation is on the return value of inflate(), as noted below, or when it returns early because Z_BLOCK is used. If a preset dictionary is needed after this call (see inflateSetDictionary below), inflate sets strm->adler to the adler32 checksum of the dictionary chosen by the compressor and returns Z_NEED_DICT; otherwise it sets strm->adler to the adler32 checksum of all output produced so far (that is, total_out bytes) and returns Z_OK, Z_STREAM_END or an error code as described below. At the end of the stream, inflate() checks that its computed adler32 checksum is equal to that saved by the compressor and returns Z_STREAM_END only if the checksum is correct. inflate() will decompress and check either zlib-wrapped or gzip-wrapped deflate data. The header type is detected automatically. Any information contained in the gzip header is not retained, so applications that need that information should instead use raw inflate, see inflateInit2() below, or inflateBack() and perform their own processing of the gzip header and trailer. inflate() returns Z_OK if some progress has been made (more input processed or more output produced), Z_STREAM_END if the end of the compressed data has been reached and all uncompressed output has been produced, Z_NEED_DICT if a preset dictionary is needed at this point, Z_DATA_ERROR if the input data was corrupted (input stream not conforming to the zlib format or incorrect check value), Z_STREAM_ERROR if the stream structure was inconsistent (for example if next_in or next_out was NULL), Z_MEM_ERROR if there was not enough memory, Z_BUF_ERROR if no progress is possible or if there was not enough room in the output buffer when Z_FINISH is used. Note that Z_BUF_ERROR is not fatal, and inflate() can be called again with more input and more output space to continue decompressing. If Z_DATA_ERROR is returned, the application may then call inflateSync() to look for a good compression block if a partial recovery of the data is desired. */ int inflateEnd(z_streamp strm); /* All dynamically allocated data structures for this stream are freed. This function discards any unprocessed input and does not flush any pending output. inflateEnd returns Z_OK if success, Z_STREAM_ERROR if the stream state was inconsistent. In the error case, msg may be set but then points to a static string (which must not be deallocated). */ /* Advanced functions */ /* The following functions are needed only in some special applications. */ int deflateInit2(z_streamp strm, int level, int method, int windowBits, int memLevel, int strategy) { return deflateInit2_(strm, level, method, windowBits, memLevel, strategy, ZLIB_VERSION.ptr, z_stream.sizeof); } /* This is another version of deflateInit with more compression options. The fields next_in, zalloc, zfree and opaque must be initialized before by the caller. The method parameter is the compression method. It must be Z_DEFLATED in this version of the library. The windowBits parameter is the base two logarithm of the window size (the size of the history buffer). It should be in the range 8..15 for this version of the library. Larger values of this parameter result in better compression at the expense of memory usage. The default value is 15 if deflateInit is used instead. windowBits can also be -8..-15 for raw deflate. In this case, -windowBits determines the window size. deflate() will then generate raw deflate data with no zlib header or trailer, and will not compute an adler32 check value. windowBits can also be greater than 15 for optional gzip encoding. Add 16 to windowBits to write a simple gzip header and trailer around the compressed data instead of a zlib wrapper. The gzip header will have no file name, no extra data, no comment, no modification time (set to zero), no header crc, and the operating system will be set to 255 (unknown). If a gzip stream is being written, strm->adler is a crc32 instead of an adler32. The memLevel parameter specifies how much memory should be allocated for the internal compression state. memLevel=1 uses minimum memory but is slow and reduces compression ratio; memLevel=9 uses maximum memory for optimal speed. The default value is 8. See zconf.h for total memory usage as a function of windowBits and memLevel. The strategy parameter is used to tune the compression algorithm. Use the value Z_DEFAULT_STRATEGY for normal data, Z_FILTERED for data produced by a filter (or predictor), Z_HUFFMAN_ONLY to force Huffman encoding only (no string match), or Z_RLE to limit match distances to one (run-length encoding). Filtered data consists mostly of small values with a somewhat random distribution. In this case, the compression algorithm is tuned to compress them better. The effect of Z_FILTERED is to force more Huffman coding and less string matching; it is somewhat intermediate between Z_DEFAULT and Z_HUFFMAN_ONLY. Z_RLE is designed to be almost as fast as Z_HUFFMAN_ONLY, but give better compression for PNG image data. The strategy parameter only affects the compression ratio but not the correctness of the compressed output even if it is not set appropriately. Z_FIXED prevents the use of dynamic Huffman codes, allowing for a simpler decoder for special applications. deflateInit2 returns Z_OK if success, Z_MEM_ERROR if there was not enough memory, Z_STREAM_ERROR if a parameter is invalid (such as an invalid method). msg is set to null if there is no error message. deflateInit2 does not perform any compression: this will be done by deflate(). */ int deflateSetDictionary(z_streamp strm, ubyte* dictionary, uint dictLength); /* Initializes the compression dictionary from the given byte sequence without producing any compressed output. This function must be called immediately after deflateInit, deflateInit2 or deflateReset, before any call of deflate. The compressor and decompressor must use exactly the same dictionary (see inflateSetDictionary). The dictionary should consist of strings (byte sequences) that are likely to be encountered later in the data to be compressed, with the most commonly used strings preferably put towards the end of the dictionary. Using a dictionary is most useful when the data to be compressed is short and can be predicted with good accuracy; the data can then be compressed better than with the default empty dictionary. Depending on the size of the compression data structures selected by deflateInit or deflateInit2, a part of the dictionary may in effect be discarded, for example if the dictionary is larger than the window size in deflate or deflate2. Thus the strings most likely to be useful should be put at the end of the dictionary, not at the front. In addition, the current implementation of deflate will use at most the window size minus 262 bytes of the provided dictionary. Upon return of this function, strm->adler is set to the adler32 value of the dictionary; the decompressor may later use this value to determine which dictionary has been used by the compressor. (The adler32 value applies to the whole dictionary even if only a subset of the dictionary is actually used by the compressor.) If a raw deflate was requested, then the adler32 value is not computed and strm->adler is not set. deflateSetDictionary returns Z_OK if success, or Z_STREAM_ERROR if a parameter is invalid (such as NULL dictionary) or the stream state is inconsistent (for example if deflate has already been called for this stream or if the compression method is bsort). deflateSetDictionary does not perform any compression: this will be done by deflate(). */ int deflateCopy(z_streamp dest, z_streamp source); /* Sets the destination stream as a complete copy of the source stream. This function can be useful when several compression strategies will be tried, for example when there are several ways of pre-processing the input data with a filter. The streams that will be discarded should then be freed by calling deflateEnd. Note that deflateCopy duplicates the internal compression state which can be quite large, so this strategy is slow and can consume lots of memory. deflateCopy returns Z_OK if success, Z_MEM_ERROR if there was not enough memory, Z_STREAM_ERROR if the source stream state was inconsistent (such as zalloc being NULL). msg is left unchanged in both source and destination. */ int deflateReset(z_streamp strm); /* This function is equivalent to deflateEnd followed by deflateInit, but does not free and reallocate all the internal compression state. The stream will keep the same compression level and any other attributes that may have been set by deflateInit2. deflateReset returns Z_OK if success, or Z_STREAM_ERROR if the source stream state was inconsistent (such as zalloc or state being NULL). */ int inflatePrime(z_streamp strm, int bits, int value); /* This function inserts bits in the inflate input stream. The intent is that this function is used to start inflating at a bit position in the middle of a byte. The provided bits will be used before any bytes are used from next_in. This function should only be used with raw inflate, and should be used before the first inflate() call after inflateInit2() or inflateReset(). bits must be less than or equal to 16, and that many of the least significant bits of value will be inserted in the input. inflatePrime returns Z_OK if success, or Z_STREAM_ERROR if the source stream state was inconsistent. */ int inflateGetHeader(z_streamp strm, gz_headerp head); /* inflateGetHeader() requests that gzip header information be stored in the provided gz_header structure. inflateGetHeader() may be called after inflateInit2() or inflateReset(), and before the first call of inflate(). As inflate() processes the gzip stream, head->done is zero until the header is completed, at which time head->done is set to one. If a zlib stream is being decoded, then head->done is set to -1 to indicate that there will be no gzip header information forthcoming. Note that Z_BLOCK can be used to force inflate() to return immediately after header processing is complete and before any actual data is decompressed. The text, time, xflags, and os fields are filled in with the gzip header contents. hcrc is set to true if there is a header CRC. (The header CRC was valid if done is set to one.) If extra is not Z_NULL, then extra_max contains the maximum number of bytes to write to extra. Once done is true, extra_len contains the actual extra field length, and extra contains the extra field, or that field truncated if extra_max is less than extra_len. If name is not Z_NULL, then up to name_max characters are written there, terminated with a zero unless the length is greater than name_max. If comment is not Z_NULL, then up to comm_max characters are written there, terminated with a zero unless the length is greater than comm_max. When any of extra, name, or comment are not Z_NULL and the respective field is not present in the header, then that field is set to Z_NULL to signal its absence. This allows the use of deflateSetHeader() with the returned structure to duplicate the header. However if those fields are set to allocated memory, then the application will need to save those pointers elsewhere so that they can be eventually freed. If inflateGetHeader is not used, then the header information is simply discarded. The header is always checked for validity, including the header CRC if present. inflateReset() will reset the process to discard the header information. The application would need to call inflateGetHeader() again to retrieve the header from the next gzip stream. inflateGetHeader returns Z_OK if success, or Z_STREAM_ERROR if the source stream state was inconsistent. */ int deflateParams(z_streamp strm, int level, int strategy); /* Dynamically update the compression level and compression strategy. The interpretation of level and strategy is as in deflateInit2. This can be used to switch between compression and straight copy of the input data, or to switch to a different kind of input data requiring a different strategy. If the compression level is changed, the input available so far is compressed with the old level (and may be flushed); the new level will take effect only at the next call of deflate(). Before the call of deflateParams, the stream state must be set as for a call of deflate(), since the currently available input may have to be compressed and flushed. In particular, strm->avail_out must be non-zero. deflateParams returns Z_OK if success, Z_STREAM_ERROR if the source stream state was inconsistent or if a parameter was invalid, Z_BUF_ERROR if strm->avail_out was zero. */ int deflateTune(z_streamp strm, int good_length, int max_lazy, int nice_length, int max_chain); /* Fine tune deflate's internal compression parameters. This should only be used by someone who understands the algorithm used by zlib's deflate for searching for the best matching string, and even then only by the most fanatic optimizer trying to squeeze out the last compressed bit for their specific input data. Read the deflate.c source code for the meaning of the max_lazy, good_length, nice_length, and max_chain parameters. deflateTune() can be called after deflateInit() or deflateInit2(), and returns Z_OK on success, or Z_STREAM_ERROR for an invalid deflate stream. */ int deflateBound(z_streamp strm, size_t sourceLen); /* deflateBound() returns an upper bound on the compressed size after deflation of sourceLen bytes. It must be called after deflateInit() or deflateInit2(). This would be used to allocate an output buffer for deflation in a single pass, and so would be called before deflate(). */ int deflatePrime(z_streamp strm, int bits, int value); /* deflatePrime() inserts bits in the deflate output stream. The intent is that this function is used to start off the deflate output with the bits leftover from a previous deflate stream when appending to it. As such, this function can only be used for raw deflate, and must be used before the first deflate() call after a deflateInit2() or deflateReset(). bits must be less than or equal to 16, and that many of the least significant bits of value will be inserted in the output. deflatePrime returns Z_OK if success, or Z_STREAM_ERROR if the source stream state was inconsistent. */ int deflateSetHeader(z_streamp strm, gz_headerp head); /* deflateSetHeader() provides gzip header information for when a gzip stream is requested by deflateInit2(). deflateSetHeader() may be called after deflateInit2() or deflateReset() and before the first call of deflate(). The text, time, os, extra field, name, and comment information in the provided gz_header structure are written to the gzip header (xflag is ignored -- the extra flags are set according to the compression level). The caller must assure that, if not Z_NULL, name and comment are terminated with a zero byte, and that if extra is not Z_NULL, that extra_len bytes are available there. If hcrc is true, a gzip header crc is included. Note that the current versions of the command-line version of gzip (up through version 1.3.x) do not support header crc's, and will report that it is a "multi-part gzip file" and give up. If deflateSetHeader is not used, the default gzip header has text false, the time set to zero, and os set to 255, with no extra, name, or comment fields. The gzip header is returned to the default state by deflateReset(). deflateSetHeader returns Z_OK if success, or Z_STREAM_ERROR if the source stream state was inconsistent. */ int inflateInit2(z_streamp strm, int windowBits) { return inflateInit2_(strm, windowBits, ZLIB_VERSION.ptr, z_stream.sizeof); } /* This is another version of inflateInit with an extra parameter. The fields next_in, avail_in, zalloc, zfree and opaque must be initialized before by the caller. The windowBits parameter is the base two logarithm of the maximum window size (the size of the history buffer). It should be in the range 8..15 for this version of the library. The default value is 15 if inflateInit is used instead. windowBits must be greater than or equal to the windowBits value provided to deflateInit2() while compressing, or it must be equal to 15 if deflateInit2() was not used. If a compressed stream with a larger window size is given as input, inflate() will return with the error code Z_DATA_ERROR instead of trying to allocate a larger window. windowBits can also be -8..-15 for raw inflate. In this case, -windowBits determines the window size. inflate() will then process raw deflate data, not looking for a zlib or gzip header, not generating a check value, and not looking for any check values for comparison at the end of the stream. This is for use with other formats that use the deflate compressed data format such as zip. Those formats provide their own check values. If a custom format is developed using the raw deflate format for compressed data, it is recommended that a check value such as an adler32 or a crc32 be applied to the uncompressed data as is done in the zlib, gzip, and zip formats. For most applications, the zlib format should be used as is. Note that comments above on the use in deflateInit2() applies to the magnitude of windowBits. windowBits can also be greater than 15 for optional gzip decoding. Add 32 to windowBits to enable zlib and gzip decoding with automatic header detection, or add 16 to decode only the gzip format (the zlib format will return a Z_DATA_ERROR). If a gzip stream is being decoded, strm->adler is a crc32 instead of an adler32. inflateInit2 returns Z_OK if success, Z_MEM_ERROR if there was not enough memory, Z_STREAM_ERROR if a parameter is invalid (such as a null strm). msg is set to null if there is no error message. inflateInit2 does not perform any decompression apart from reading the zlib header if present: this will be done by inflate(). (So next_in and avail_in may be modified, but next_out and avail_out are unchanged.) / int inflateSetDictionary(z_streamp strm, ubyte* dictionary, uint dictLength); /* Initializes the decompression dictionary from the given uncompressed byte sequence. This function must be called immediately after a call of inflate, if that call returned Z_NEED_DICT. The dictionary chosen by the compressor can be determined from the adler32 value returned by that call of inflate. The compressor and decompressor must use exactly the same dictionary (see deflateSetDictionary). For raw inflate, this function can be called immediately after inflateInit2() or inflateReset() and before any call of inflate() to set the dictionary. The application must insure that the dictionary that was used for compression is provided. inflateSetDictionary returns Z_OK if success, Z_STREAM_ERROR if a parameter is invalid (such as NULL dictionary) or the stream state is inconsistent, Z_DATA_ERROR if the given dictionary doesn't match the expected one (incorrect adler32 value). inflateSetDictionary does not perform any decompression: this will be done by subsequent calls of inflate(). */ int inflateSync(z_streamp strm); /* Skips invalid compressed data until a full flush point (see above the description of deflate with Z_FULL_FLUSH) can be found, or until all available input is skipped. No output is provided. inflateSync returns Z_OK if a full flush point has been found, Z_BUF_ERROR if no more input was provided, Z_DATA_ERROR if no flush point has been found, or Z_STREAM_ERROR if the stream structure was inconsistent. In the success case, the application may save the current current value of total_in which indicates where valid compressed data was found. In the error case, the application may repeatedly call inflateSync, providing more input each time, until success or end of the input data. */ int inflateCopy (z_streamp dest, z_streamp source); /* Sets the destination stream as a complete copy of the source stream. This function can be useful when randomly accessing a large stream. The first pass through the stream can periodically record the inflate state, allowing restarting inflate at those points when randomly accessing the stream. inflateCopy returns Z_OK if success, Z_MEM_ERROR if there was not enough memory, Z_STREAM_ERROR if the source stream state was inconsistent (such as zalloc being NULL). msg is left unchanged in both source and destination. */ int inflateReset(z_streamp strm); /* This function is equivalent to inflateEnd followed by inflateInit, but does not free and reallocate all the internal decompression state. The stream will keep attributes that may have been set by inflateInit2. inflateReset returns Z_OK if success, or Z_STREAM_ERROR if the source stream state was inconsistent (such as zalloc or state being NULL). */ int inflateBackInit(z_stream* strm, int windowBits, ubyte* window) { return inflateBackInit_(strm, windowBits, window, ZLIB_VERSION.ptr, z_stream.sizeof); } /* Initialize the internal stream state for decompression using inflateBack() calls. The fields zalloc, zfree and opaque in strm must be initialized before the call. If zalloc and zfree are Z_NULL, then the default library- derived memory allocation routines are used. windowBits is the base two logarithm of the window size, in the range 8..15. window is a caller supplied buffer of that size. Except for special applications where it is assured that deflate was used with small window sizes, windowBits must be 15 and a 32K byte window must be supplied to be able to decompress general deflate streams. See inflateBack() for the usage of these routines. inflateBackInit will return Z_OK on success, Z_STREAM_ERROR if any of the paramaters are invalid, Z_MEM_ERROR if the internal state could not be allocated, or Z_VERSION_ERROR if the version of the library does not match the version of the header file. */ alias uint function(void*, ubyte**) in_func; alias int function(void*, ubyte*, uint) out_func; int inflateBack(z_stream* strm, in_func f_in, void* in_desc, out_func f_out, void* out_desc); /* inflateBack() does a raw inflate with a single call using a call-back interface for input and output. This is more efficient than inflate() for file i/o applications in that it avoids copying between the output and the sliding window by simply making the window itself the output buffer. This function trusts the application to not change the output buffer passed by the output function, at least until inflateBack() returns. inflateBackInit() must be called first to allocate the internal state and to initialize the state with the user-provided window buffer. inflateBack() may then be used multiple times to inflate a complete, raw deflate stream with each call. inflateBackEnd() is then called to free the allocated state. A raw deflate stream is one with no zlib or gzip header or trailer. This routine would normally be used in a utility that reads zip or gzip files and writes out uncompressed files. The utility would decode the header and process the trailer on its own, hence this routine expects only the raw deflate stream to decompress. This is different from the normal behavior of inflate(), which expects either a zlib or gzip header and trailer around the deflate stream. inflateBack() uses two subroutines supplied by the caller that are then called by inflateBack() for input and output. inflateBack() calls those routines until it reads a complete deflate stream and writes out all of the uncompressed data, or until it encounters an error. The function's parameters and return types are defined above in the in_func and out_func typedefs. inflateBack() will call in(in_desc, &buf) which should return the number of bytes of provided input, and a pointer to that input in buf. If there is no input available, in() must return zero--buf is ignored in that case--and inflateBack() will return a buffer error. inflateBack() will call out(out_desc, buf, len) to write the uncompressed data buf[0..len-1]. out() should return zero on success, or non-zero on failure. If out() returns non-zero, inflateBack() will return with an error. Neither in() nor out() are permitted to change the contents of the window provided to inflateBackInit(), which is also the buffer that out() uses to write from. The length written by out() will be at most the window size. Any non-zero amount of input may be provided by in(). For convenience, inflateBack() can be provided input on the first call by setting strm->next_in and strm->avail_in. If that input is exhausted, then in() will be called. Therefore strm->next_in must be initialized before calling inflateBack(). If strm->next_in is Z_NULL, then in() will be called immediately for input. If strm->next_in is not Z_NULL, then strm->avail_in must also be initialized, and then if strm->avail_in is not zero, input will initially be taken from strm->next_in[0 .. strm->avail_in - 1]. The in_desc and out_desc parameters of inflateBack() is passed as the first parameter of in() and out() respectively when they are called. These descriptors can be optionally used to pass any information that the caller- supplied in() and out() functions need to do their job. On return, inflateBack() will set strm->next_in and strm->avail_in to pass back any unused input that was provided by the last in() call. The return values of inflateBack() can be Z_STREAM_END on success, Z_BUF_ERROR if in() or out() returned an error, Z_DATA_ERROR if there was a format error in the deflate stream (in which case strm->msg is set to indicate the nature of the error), or Z_STREAM_ERROR if the stream was not properly initialized. In the case of Z_BUF_ERROR, an input or output error can be distinguished using strm->next_in which will be Z_NULL only if in() returned an error. If strm->next is not Z_NULL, then the Z_BUF_ERROR was due to out() returning non-zero. (in() will always be called before out(), so strm->next_in is assured to be defined if out() returns non-zero.) Note that inflateBack() cannot return Z_OK. */ int inflateBackEnd(z_stream* strm); /* All memory allocated by inflateBackInit() is freed. inflateBackEnd() returns Z_OK on success, or Z_STREAM_ERROR if the stream state was inconsistent. */ uint zlibCompileFlags(); /* Return flags indicating compile-time options. Type sizes, two bits each, 00 = 16 bits, 01 = 32, 10 = 64, 11 = other: 1.0: size of uInt 3.2: size of uLong 5.4: size of voidpf (pointer) 7.6: size of z_off_t Compiler, assembler, and debug options: 8: DEBUG 9: ASMV or ASMINF -- use ASM code 10: ZLIB_WINAPI -- exported functions use the WINAPI calling convention 11: 0 (reserved) One-time table building (smaller code, but not thread-safe if true): 12: BUILDFIXED -- build static block decoding tables when needed 13: DYNAMIC_CRC_TABLE -- build CRC calculation tables when needed 14,15: 0 (reserved) Library content (indicates missing functionality): 16: NO_GZCOMPRESS -- gz* functions cannot compress (to avoid linking deflate code when not needed) 17: NO_GZIP -- deflate can't write gzip streams, and inflate can't detect and decode gzip streams (to avoid linking crc code) 18-19: 0 (reserved) Operation variations (changes in library functionality): 20: PKZIP_BUG_WORKAROUND -- slightly more permissive inflate 21: FASTEST -- deflate algorithm with only one, lowest compression level 22,23: 0 (reserved) The sprintf variant used by gzprintf (zero is best): 24: 0 = vs*, 1 = s* -- 1 means limited to 20 arguments after the format 25: 0 = *nprintf, 1 = *printf -- 1 means gzprintf() not secure! 26: 0 = returns value, 1 = void -- 1 means inferred string length returned Remainder: 27-31: 0 (reserved) */ /* utility functions */ /* The following utility functions are implemented on top of the basic stream-oriented functions. To simplify the interface, some default options are assumed (compression level and memory usage, standard memory allocation functions). The source code of these utility functions can easily be modified if you need special options. */ int compress(ubyte* dest, size_t* destLen, ubyte* source, size_t sourceLen); /* Compresses the source buffer into the destination buffer. sourceLen is the byte length of the source buffer. Upon entry, destLen is the total size of the destination buffer, which must be at least the value returned by compressBound(sourceLen). Upon exit, destLen is the actual size of the compressed buffer. This function can be used to compress a whole file at once if the input file is mmap'ed. compress returns Z_OK if success, Z_MEM_ERROR if there was not enough memory, Z_BUF_ERROR if there was not enough room in the output buffer. */ int compress2(ubyte* dest, size_t* destLen, ubyte* source, size_t sourceLen, int level); /* Compresses the source buffer into the destination buffer. The level parameter has the same meaning as in deflateInit. sourceLen is the byte length of the source buffer. Upon entry, destLen is the total size of the destination buffer, which must be at least the value returned by compressBound(sourceLen). Upon exit, destLen is the actual size of the compressed buffer. compress2 returns Z_OK if success, Z_MEM_ERROR if there was not enough memory, Z_BUF_ERROR if there was not enough room in the output buffer, Z_STREAM_ERROR if the level parameter is invalid. */ size_t compressBound(size_t sourceLen); /* compressBound() returns an upper bound on the compressed size after compress() or compress2() on sourceLen bytes. It would be used before a compress() or compress2() call to allocate the destination buffer. */ int uncompress(ubyte* dest, size_t* destLen, ubyte* source, size_t sourceLen); /* Decompresses the source buffer into the destination buffer. sourceLen is the byte length of the source buffer. Upon entry, destLen is the total size of the destination buffer, which must be large enough to hold the entire uncompressed data. (The size of the uncompressed data must have been saved previously by the compressor and transmitted to the decompressor by some mechanism outside the scope of this compression library.) Upon exit, destLen is the actual size of the compressed buffer. This function can be used to decompress a whole file at once if the input file is mmap'ed. uncompress returns Z_OK if success, Z_MEM_ERROR if there was not enough memory, Z_BUF_ERROR if there was not enough room in the output buffer, or Z_DATA_ERROR if the input data was corrupted or incomplete. */ typedef void* gzFile; alias int z_off_t; // file offset gzFile gzopen(char* path, char* mode); /* Opens a gzip (.gz) file for reading or writing. The mode parameter is as in fopen ("rb" or "wb") but can also include a compression level ("wb9") or a strategy: 'f' for filtered data as in "wb6f", 'h' for Huffman only compression as in "wb1h", or 'R' for run-length encoding as in "wb1R". (See the description of deflateInit2 for more information about the strategy parameter.) gzopen can be used to read a file which is not in gzip format; in this case gzread will directly read from the file without decompression. gzopen returns NULL if the file could not be opened or if there was insufficient memory to allocate the (de)compression state; errno can be checked to distinguish the two cases (if errno is zero, the zlib error is Z_MEM_ERROR). */ gzFile gzdopen(int fd, char* mode); /* gzdopen() associates a gzFile with the file descriptor fd. File descriptors are obtained from calls like open, dup, creat, pipe or fileno (in the file has been previously opened with fopen). The mode parameter is as in gzopen. The next call of gzclose on the returned gzFile will also close the file descriptor fd, just like fclose(fdopen(fd), mode) closes the file descriptor fd. If you want to keep fd open, use gzdopen(dup(fd), mode). gzdopen returns NULL if there was insufficient memory to allocate the (de)compression state. */ int gzsetparams(gzFile file, int level, int strategy); /* Dynamically update the compression level or strategy. See the description of deflateInit2 for the meaning of these parameters. gzsetparams returns Z_OK if success, or Z_STREAM_ERROR if the file was not opened for writing. */ int gzread(gzFile file, void* buf, uint len); /* Reads the given number of uncompressed bytes from the compressed file. If the input file was not in gzip format, gzread copies the given number of bytes into the buffer. gzread returns the number of uncompressed bytes actually read (0 for end of file, -1 for error). */ int gzwrite(gzFile file, void* buf, uint len); /* Writes the given number of uncompressed bytes into the compressed file. gzwrite returns the number of uncompressed bytes actually written (0 in case of error). */ int gzprintf(gzFile file, char* format, ...); /* Converts, formats, and writes the args to the compressed file under control of the format string, as in fprintf. gzprintf returns the number of uncompressed bytes actually written (0 in case of error). The number of uncompressed bytes written is limited to 4095. The caller should assure that this limit is not exceeded. If it is exceeded, then gzprintf() will return return an error (0) with nothing written. In this case, there may also be a buffer overflow with unpredictable consequences, which is possible only if zlib was compiled with the insecure functions sprintf() or vsprintf() because the secure snprintf() or vsnprintf() functions were not available. */ int gzputs(gzFile file, char* s); /* Writes the given null-terminated string to the compressed file, excluding the terminating null character. gzputs returns the number of characters written, or -1 in case of error. */ char* gzgets(gzFile file, char* buf, int len); /* Reads bytes from the compressed file until len-1 characters are read, or a newline character is read and transferred to buf, or an end-of-file condition is encountered. The string is then terminated with a null character. gzgets returns buf, or Z_NULL in case of error. */ int gzputc(gzFile file, int c); /* Writes c, converted to an unsigned char, into the compressed file. gzputc returns the value that was written, or -1 in case of error. */ int gzgetc(gzFile file); /* Reads one byte from the compressed file. gzgetc returns this byte or -1 in case of end of file or error. */ int gzungetc(int c, gzFile file); /* Push one character back onto the stream to be read again later. Only one character of push-back is allowed. gzungetc() returns the character pushed, or -1 on failure. gzungetc() will fail if a character has been pushed but not read yet, or if c is -1. The pushed character will be discarded if the stream is repositioned with gzseek() or gzrewind(). */ int gzflush(gzFile file, int flush); /* Flushes all pending output into the compressed file. The parameter flush is as in the deflate() function. The return value is the zlib error number (see function gzerror below). gzflush returns Z_OK if the flush parameter is Z_FINISH and all output could be flushed. gzflush should be called only when strictly necessary because it can degrade compression. */ z_off_t gzseek(gzFile file, z_off_t offset, int whence); /* Sets the starting position for the next gzread or gzwrite on the given compressed file. The offset represents a number of bytes in the uncompressed data stream. The whence parameter is defined as in lseek(2); the value SEEK_END is not supported. If the file is opened for reading, this function is emulated but can be extremely slow. If the file is opened for writing, only forward seeks are supported; gzseek then compresses a sequence of zeroes up to the new starting position. gzseek returns the resulting offset location as measured in bytes from the beginning of the uncompressed stream, or -1 in case of error, in particular if the file is opened for writing and the new starting position would be before the current position. */ int gzrewind(gzFile file); /* Rewinds the given file. This function is supported only for reading. gzrewind(file) is equivalent to (int)gzseek(file, 0L, SEEK_SET) */ z_off_t gztell(gzFile file); /* Returns the starting position for the next gzread or gzwrite on the given compressed file. This position represents a number of bytes in the uncompressed data stream. gztell(file) is equivalent to gzseek(file, 0L, SEEK_CUR) */ int gzeof(gzFile file); /* Returns 1 when EOF has previously been detected reading the given input stream, otherwise zero. */ int gzdirect(gzFile file); /* Returns 1 if file is being read directly without decompression, otherwise zero. */ int gzclose(gzFile file); /* Flushes all pending output if necessary, closes the compressed file and deallocates all the (de)compression state. The return value is the zlib error number (see function gzerror below). */ char* gzerror(gzFile file, int *errnum); /* Returns the error message for the last error which occurred on the given compressed file. errnum is set to zlib error number. If an error occurred in the file system and not in the compression library, errnum is set to Z_ERRNO and the application may consult errno to get the exact error code. */ void gzclearerr (gzFile file); /* Clears the error and end-of-file flags for file. This is analogous to the clearerr() function in stdio. This is useful for continuing to read a gzip file that is being written concurrently. */ /* checksum functions */ /* These functions are not related to compression but are exported anyway because they might be useful in applications using the compression library. */ uint adler32 (uint adler, ubyte *buf, uint len); /* Update a running Adler-32 checksum with the bytes buf[0..len-1] and return the updated checksum. If buf is NULL, this function returns the required initial value for the checksum. An Adler-32 checksum is almost as reliable as a CRC32 but can be computed much faster. Usage example: uint adler = adler32(0L, Z_NULL, 0); while (read_buffer(buffer, length) != EOF) { adler = adler32(adler, buffer, length); } if (adler != original_adler) error(); */ uint adler32_combine(uint adler1, uint adler2, z_off_t len2); /* Combine two Adler-32 checksums into one. For two sequences of bytes, seq1 and seq2 with lengths len1 and len2, Adler-32 checksums were calculated for each, adler1 and adler2. adler32_combine() returns the Adler-32 checksum of seq1 and seq2 concatenated, requiring only adler1, adler2, and len2. */ uint crc32(uint crc, ubyte *buf, uint len); /* Update a running CRC-32 with the bytes buf[0..len-1] and return the updated CRC-32. If buf is NULL, this function returns the required initial value for the for the crc. Pre- and post-conditioning (one's complement) is performed within this function so it shouldn't be done by the application. Usage example: uint crc = crc32(0L, Z_NULL, 0); while (read_buffer(buffer, length) != EOF) { crc = crc32(crc, buffer, length); } if (crc != original_crc) error(); */ uint crc32_combine (uint crc1, uint crc2, z_off_t len2); /* Combine two CRC-32 check values into one. For two sequences of bytes, seq1 and seq2 with lengths len1 and len2, CRC-32 check values were calculated for each, crc1 and crc2. crc32_combine() returns the CRC-32 check value of seq1 and seq2 concatenated, requiring only crc1, crc2, and len2. */ /* various hacks, don't look :) */ /* deflateInit and inflateInit are macros to allow checking the zlib version * and the compiler's view of z_stream: */ int deflateInit_(z_streamp strm, int level, const char* versionx, int stream_size); int inflateInit_(z_streamp strm, const char* versionx, int stream_size); int deflateInit2_(z_streamp strm, int level, int method, int windowBits, int memLevel, int strategy, const char* versionx, int stream_size); int inflateBackInit_(z_stream* strm, int windowBits, ubyte* window, const char* z_version, int stream_size); int inflateInit2_(z_streamp strm, int windowBits, const char* versionx, int stream_size); char* zError(int err); int inflateSyncPoint(z_streamp z); uint* get_crc_table();
D
/Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Leaf.build/Stem.swift.o : /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Argument.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Byte+Leaf.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Constants.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Context.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/HTMLEscape.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Leaf.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/LeafComponent.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/LeafError.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Link.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/List.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Node+Rendered.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/NSData+File.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Parameter.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Stem+Render.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Stem+Spawn.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Stem.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Buffer/Buffer+Leaf.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Buffer/Buffer.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Buffer/BufferProtocol.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/BasicTag.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Tag.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/TagTemplate.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Else.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Embed.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Equal.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Export.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Extend.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/If.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Import.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Index.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Loop.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Raw.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Uppercased.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Variable.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Core.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/libc.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Node.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/PathIndexable.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Polymorphic.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Leaf.build/Stem~partial.swiftmodule : /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Argument.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Byte+Leaf.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Constants.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Context.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/HTMLEscape.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Leaf.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/LeafComponent.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/LeafError.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Link.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/List.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Node+Rendered.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/NSData+File.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Parameter.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Stem+Render.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Stem+Spawn.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Stem.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Buffer/Buffer+Leaf.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Buffer/Buffer.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Buffer/BufferProtocol.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/BasicTag.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Tag.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/TagTemplate.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Else.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Embed.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Equal.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Export.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Extend.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/If.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Import.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Index.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Loop.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Raw.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Uppercased.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Variable.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Core.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/libc.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Node.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/PathIndexable.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Polymorphic.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Leaf.build/Stem~partial.swiftdoc : /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Argument.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Byte+Leaf.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Constants.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Context.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/HTMLEscape.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Leaf.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/LeafComponent.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/LeafError.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Link.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/List.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Node+Rendered.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/NSData+File.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Parameter.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Stem+Render.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Stem+Spawn.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Stem.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Buffer/Buffer+Leaf.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Buffer/Buffer.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Buffer/BufferProtocol.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/BasicTag.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Tag.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/TagTemplate.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Else.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Embed.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Equal.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Export.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Extend.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/If.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Import.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Index.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Loop.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Raw.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Uppercased.swift /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/Packages/Leaf-1.0.3/Sources/Leaf/Tag/Models/Variable.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Core.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/libc.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Node.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/PathIndexable.swiftmodule /Users/mohammadazam/Documents/Projects/StoryTellersAPICode/StoryTellersAPI/.build/debug/Polymorphic.swiftmodule
D
/Users/pacmac/Documents/GitHub/Blockchain/substarte_blockchain/substrate-node-template/target/release/deps/pin_project_lite-da4370ad975b82b6.rmeta: /Users/pacmac/.cargo/registry/src/github.com-1ecc6299db9ec823/pin-project-lite-0.2.6/src/lib.rs /Users/pacmac/Documents/GitHub/Blockchain/substarte_blockchain/substrate-node-template/target/release/deps/libpin_project_lite-da4370ad975b82b6.rlib: /Users/pacmac/.cargo/registry/src/github.com-1ecc6299db9ec823/pin-project-lite-0.2.6/src/lib.rs /Users/pacmac/Documents/GitHub/Blockchain/substarte_blockchain/substrate-node-template/target/release/deps/pin_project_lite-da4370ad975b82b6.d: /Users/pacmac/.cargo/registry/src/github.com-1ecc6299db9ec823/pin-project-lite-0.2.6/src/lib.rs /Users/pacmac/.cargo/registry/src/github.com-1ecc6299db9ec823/pin-project-lite-0.2.6/src/lib.rs:
D
/** * Poodinis Dependency Injection Framework * Copyright 2014-2018 Mike Bierlee * This software is licensed under the terms of the MIT license. * The full terms of the license can be found in the LICENSE file. */ import poodinis; class Driver {} interface Database {}; class RelationalDatabase : Database { private Driver driver; this(Driver driver) { // Automatically injected on creation by container this.driver = driver; } } class DataWriter { @Autowire private Database database; // Automatically injected when class is resolved } void main() { auto dependencies = new shared DependencyContainer(); dependencies.register!Driver; dependencies.register!DataWriter; dependencies.register!(Database, RelationalDatabase); auto writer = dependencies.resolve!DataWriter; }
D
module hurt.container.hashtable; import hurt.container.isr; import hurt.conv.conv; import std.stdio; class Iterator(T) : ISRIterator!(T) { private size_t idx; private Node!(T) curNode; private HashTable!(T) table; this(HashTable!(T) table, size_t idx, Node!(T) curNode) { this.table = table; this.idx = idx; this.curNode = curNode; } override ISRIterator!(T) dup() { Iterator!(T) it = new Iterator!(T)(this.table, this.idx, this.curNode); return it; } //public void opUnary(string s)() if(s == "++") { override void increment() { Node!(T) next = this.curNode.next; if(next is null) { size_t tableSize = this.table.getTableSize(); while(this.idx+1 < tableSize && next is null) { this.idx++; next = this.table.getNode(this.idx); } } this.curNode = next; } //public void opUnary(string s)() if(s == "--") { override void decrement() { Node!(T) prev = this.curNode.prev; //writeln(__LINE__," ",prev is null, " ",this.idx); if(prev is null) { while(this.idx != size_t.max && prev is null) { this.idx--; prev = this.table.getNode(idx); if(prev !is null) { while(prev.next !is null) prev = prev.next; } } } this.curNode = prev; //writeln(__LINE__," ",this.curNode is null, " ",this.idx); } //public T opUnary(string s)() if(s == "*") { override T getData() { if(this.isValid()) return this.curNode.getData(); else assert(0, "Iterator was not valid"); } public override bool isValid() const { return this.curNode !is null; } } class Node(T) : ISRNode!(T) { Node!(T) next; Node!(T) prev; T data; this(T data) { this.data = data; } override T getData() { return this.data; } } class HashTable(T) : ISR!(T) { private Node!(T)[] table; private size_t function(T data) hashFunc; private size_t size; private bool duplication; static size_t defaultHashFunc(T data) { static if(is(T : long) || is(T : int) || is(T : byte) || is(T : char)) { return cast(size_t)data; } else static if(is(T : long[]) || is(T : int[]) || is(T : byte[]) || is(T : char[]) || is(T : immutable(char)[])) { size_t ret; foreach(it;data) { ret = it + (ret << 6) + (ret << 16) - ret; } return ret; } else static if(is(T : Object)) { return cast(size_t)data.toHash(); } else { assert(0); } } T[] values() { T[] ret = new T[this.size]; size_t ptr = 0; foreach(it; this.table) { while(it !is null) { ret[ptr++] = it.data; it = it.next; } } return ret; } Iterator!(T) begin() { size_t idx = 0; while(idx+1 < this.table.length && this.table[idx] is null) idx++; return new Iterator!(T)(this, idx, this.table[idx]); } Iterator!(T) end() { size_t idx = this.table.length-1; if(this.table.length == 0) return new Iterator!(T)(this,0,null); while(idx >= 0 && this.table.length > idx && this.table[idx] is null) idx--; if(idx >= this.table.length) return new Iterator!(T)(this,0,null); Node!(T) end = this.table[idx]; while(end.next !is null) end = end.next; return new Iterator!(T)(this, idx, end); } this(bool duplication = false, size_t function(T toHash) hashFunc = &defaultHashFunc) { this.duplication = duplication; this.hashFunc = hashFunc; this.table = new Node!(T)[128]; } ISRIterator!(T) searchIt(T data) { size_t hash = this.hashFunc(data) % this.table.length; Node!(T) it = this.table[hash]; while(it !is null) { if(it.data == data) break; it = it.next; } return new Iterator!(T)(this,hash,this.search(data)); } Node!(T) search(T data) { size_t hash = this.hashFunc(data) % this.table.length; Node!(T) it = this.table[hash]; while(it !is null) { if(it.data == data) break; it = it.next; } return it; } public bool remove(ISRIterator!(T) it, bool dir = true) { if(it.isValid()) { T value = *it; if(dir) it++; else it--; return this.remove(value); } else { return false; } } bool remove(T data) { size_t hash = this.hashFunc(data) % this.table.length; if(this.table is null && hash >= this.table.length) { return false; } Node!(T) it = this.table[hash]; if(it is null) { return false; } if(it !is null && it.data == data) { this.table[hash] = it.next; if(this.table[hash] !is null) { this.table[hash].prev = null; } this.size--; return true; } while(it.next !is null) { if(it.next.data == data) { it.next = it.next.next; if(it.next !is null) { it.next.prev = it; } this.size--; return true; } it = it.next; } return false; } private void grow() { Node!(T)[] nTable = new Node!(T)[this.table.length*2]; foreach(it; this.table) { if(it !is null) { Node!(T) i = it; Node!(T) j = i.next; size_t hash; while(i !is null) { hash = this.hashFunc(i.data) % nTable.length; insert(nTable, hash, i); i = j; if(i !is null) j = i.next; } } } this.table = nTable; } package Node!(T) getNode(size_t idx) { if(idx < this.table.length) { return this.table[idx]; } else { return null; } } package size_t getTableSize() const { return this.table.length; } private static void insert(Node!(T)[] t, size_t hash, Node!(T) node) { Node!(T) old = t[hash]; t[hash] = node; t[hash].next = old; t[hash].prev = null; if(old !is null) { old.prev = t[hash]; } } bool insert(T data) { if(!this.duplication) { Node!(T) check = this.search(data); if(check !is null) { return false; } } size_t filllevel = cast(size_t)(this.table.length*0.7); if(this.size + 1 > filllevel) { this.grow(); } size_t hash = this.hashFunc(data) % table.length; insert(this.table, hash, new Node!(T)(data)); this.size++; return true; } public size_t getSize() const { return this.size; } public bool isEmpty() const { return this.size == 0; } } unittest { int[][] lot = [[2811, 1089, 3909, 3593, 1980, 2863, 676, 258, 2499, 3147, 3321, 3532, 3009, 1526, 2474, 1609, 518, 1451, 796, 2147, 56, 414, 3740, 2476, 3297, 487, 1397, 973, 2287, 2516, 543, 3784, 916, 2642, 312, 1130, 756, 210, 170, 3510, 987], [0,1,2,3,4,5,6,7,8,9,10], [10,9,8,7,6,5,4,3,2,1,0],[10,9,8,7,6,5,4,3,2,1,0,11], [0,1,2,3,4,5,6,7,8,9,10,-1],[11,1,2,3,4,5,6,7,8,0]]; foreach(it; lot) { HashTable!(int) ht = new HashTable!(int)(false); assert(ht.getSize() == 0); foreach(idx,jt; it) { assert(ht.insert(jt)); assert(ht.getSize() == idx+1); foreach(kt; it[0..idx+1]) assert(ht.search(kt)); foreach(kt; it[idx+1..$]) assert(!ht.search(kt)); } foreach(idx,jt; it) { assert(ht.remove(jt)); assert(ht.getSize() + idx + 1 == it.length); foreach(kt; it[0..idx]) assert(!ht.search(kt)); foreach(kt; it[idx+1..$]) assert(ht.search(kt)); } assert(ht.getSize() == 0, conv!(size_t,string)(ht.getSize())); } string[] words = [ "abbreviation","abbreviations","abettor","abettors","abilities","ability" "abrasion","abrasions","abrasive","abrasives","absence","absences","abuse" "abuser","abusers","abuses","acceleration","accelerations","acceptance" "amperage","amperages","ampere","amperes","amplifier","amplifiers","amplitude" "amplitudes","amusement","amusements","analog","analogs","analyses","analysis" "analyst","analysts","analyzer","analyzers","anchor","anchors","angle","angles" "animal","animals","annex","annexs","answer","answers","antenna","antennas" "anthem","anthems","anticipation","apostrophe","apostrophes","apparatus" "apparatuses","appeal","appeals","appearance","appearances","appellate","apple" "apples","applicant","applicants","application","applications","apportionment" "apportionments","appraisal","appraisals","apprehension","apprehensions" "apprenticeship","apprenticeships","approach","approaches","appropriation" "appropriations","approval","approvals","april","apron","aprons","aptitude" "aptitudes","arc","arch","arches","architecture","arcs","area","areas" "argument","arguments","arithmetic","arm","armament","armaments","armful" "basements","bases","basics","basin","basins","basis","basket","baskets","bat" "batch","batches","bath","bather","baths","bats","batteries","battery","battle" "battles","battleship","battleships","baud","bauds","bay","bays","beach" "beaches","beacon","beacons","bead","beads","beam","beams","bean","beans" "bear","bearings","bears","beat","beats","bed","beds","beginner","beginners" "behavior","behaviors","being","beings","belief","beliefs","bell","bells" "belt","belts","bench","benches","bend","bends","benefit","benefits","berries" "berry","berth","berthings","berths","bet","bets","bias","biases","bigamies" "bigamy","bilge","bill","billet","billets","bills","bin","binder","binders" "binoculars","bins","birth","births","bit","bite","bites","bits","blackboard" "blackboards","blade","blades","blank","blanket","blankets","blanks","blast" "blasts","blaze","blazes","blindfold","blindfolds","blink","blinks","block" "butters","button","buttons","butts","buy","buys","buzz","buzzer","buzzers" "buzzes","bypass","bypasses","byte","bytes","cab","cabinet","cabinets","cable" "cables","cabs","cage","cages","cake","cakes","calculation","calculations" "calculator","calculators","calendar","calendars","caliber","calibers" "calibration","calibrations","call","calls","calorie","calories","cam","camera" "cameras","camp","camps","cams","canal","canals","candidate","candidates" "candle","candles","cane","canister","canisters","cannon","cannons","cans" "canvas","canvases","canyon","canyons","cap","capabilities","capability" "capacitance","capacitances","capacities","capacitor","capacitors","capacity" "cape","capes","capital","capitals","caps","capstan","capstans","captain" "captains","capture","captures","car","carbon","carbons","carburetor" "carburetors","card","cardboard","cards","care","career","careers" "cups","cure","cures","curl","curls","currencies","currency","currents" "curtain","curtains","curvature","curvatures","curve","curves","cushion" "cushions","custodian","custodians","custody","custom","customer","customers" "customs","cuts","cycle","cycles","cylinder","cylinders","dab","dabs","dam" "damage","damages","dams","danger","dangers","dare","dares","dart","darts" "dash","data","date","dates","daughter","daughters","davit","davits","dawn" "dawns","day","daybreak","days","daytime","deal","dealer","dealers","deals" "dears","death","deaths","debit","debits","debris","debt","debts","decay" "december","decibel","decibels","decimals","decision","decisions","deck" "decks","decoder","decoders","decontamination","decoration","decorations" "decrease","decreases","decrement","decrements","dedication","dedications" "deduction","deductions","deed","deeds","default","defaults","defeat","defeats" "defect","defection","defections","defects","defense","defenses","deficiencies" "definition","definitions","deflector","deflectors","degree","degrees","delay" "delays","delegate","delegates","deletion","deletions","delight","delights" "delimiter","delimiters","deliveries","delivery","democracies","democracy" "demonstration","demonstrations","densities","density","dent","dents" "department","departments","departure","departures","dependence","dependencies" "dependents","depletion","depletions","deployment","deployments","deposit" "deposition","depositions","deposits","depot","depots","depth","depths" "discontinuation","discontinuations","discount","discounts","discoveries" "discovery","discrepancies","discrepancy","discretion","discrimination" "discriminations","discussion","discussions","disease","diseases","disgust" "dish","dishes","disk","disks","dispatch","dispatcher","dispatchers" "dispatches","displacement","displacements","display","displays","disposal" "dissemination","dissipation","distance","distances","distortion","distortions" "distress","distresses","distribution","distributions","distributor" "distributors","district","districts","ditch","ditches","ditto","dittos","dive" "diver","divers","dives","divider","dividers","division","divisions","dock" "dockings","docks","document","documentation","documentations","documents" "dollar","dollars","dollies","dolly","dominion","dominions","donor","donors" "door","doorknob","doorknobs","doors","doorstep","doorsteps","dope","dopes" "dose","doses","dot","dots","doubt","downgrade","downgrades","dozen","dozens" "draft","drafts","drag","drags","drain","drainage","drainer","drainers" "drains","drawer","drawers","drawings","dress","dresses","drift","drifts" "drill","driller","drillers","drills","drink","drinks","drip","drips","drive" "driver","drivers","drives","drop","drops","drug","drugs","drum","drums" "drunkeness","drunks","drydock","drydocks","dump","duplicate","duplicates" "durability","duration","duress","dust","dusts","duties","duty","dwell","dye" "dyes","dynamics","dynamometer","dynamometers","ear","ears","earth","ease" "eases","east","echelon","echelons","echo","echoes","economies","economy" "eddies","eddy","edge","edges","editor","editors","education","educator" "educators","effect","effectiveness","effects","efficiencies","efficiency" "expenditures","expense","expenses","experience","experiences","expert" "experts","expiration","explanation","explanations","explosion","explosions" "explosives","exposure","exposures","extension","extensions","extent" "extenuation","extenuations","exterior","exteriors","extras","eye","eyes" "fabrication","fabrications","face","facepiece","facepieces","faces" "facilitation","facilities","facility","fact","factor","factories","factors" "factory","facts","failure","failures","fake","fakes","fall","fallout","falls" "families","family","fan","fans","fantail","fantails","farad","farads","fare" "fares","farm","farms","fashion","fashions","fastener","fasteners","father" "fathers","fathom","fathoms","fatigue","fatigues","fats","fault","faults" "glossaries","glossary","glove","gloves","glow","glows","glue","glues","goal" "goals","goggles","gold","goods","government","governments","governor" "governors","grade","grades","grain","grains","gram","grams","grant","grants" "graph","graphs","grasp","grasps","grass","grasses","gravel","gravity","grease" "greases","greenwich","grid","grids","grinder","grinders","grip","grips" "groan","groans","groceries","groom","grooms","groove","grooves","gross" "grounds","group","groups","grove","groves","growth","growths","guard","guards" "guess","guesses","guest","guests","guidance","guide","guideline","guidelines" "guides","guilt","gulf","gulfs","gum","gums","gun","gunfire","gunnery" "gunpowder","guns","guy","guys","gyro","gyros","gyroscope","gyroscopes","habit" "habits","hail","hair","hairpin","hairpins","hairs","half","hall","halls" "halt","halts","halves","halyard","halyards","hammer","hammers","hand" "handful","handfuls","handle","handler","handlers","handles","hands" "handwriting","hangar","hangars","harbor","harbors","hardcopies","hardcopy" "hardness","hardship","hardships","hardware","harm","harmonies","harmony" "harness","harnesses","harpoon","harpoons","hashmark","hashmarks","haste","hat" "hatch","hatches","hatchet","hatchets","hate","hats","haul","hauls","hazard" "hazards","head","header","headers","headings","headquarters","heads","headset" "hydrometers","hygiene","hyphen","hyphens","ice","ices","icing","idea","ideal" "ideals","ideas","identification","ignition","ignitions","illustration" "illustrations","image","images","impact","impedance","implantation" "implantations","implement","implementation","implementations","implements" "importance","improvement","improvements","impulse","impulses","incentive" "incentives","inception","inceptions","inch","inches","inclination" "inclinations","incline","inclines","income","incomes","increase","increases" "increment","increments","independence","index","indexes","indicate" "indication","indications","indicator","indicators","individuals","inductance" "industries","industry","infection","infections","inference","inferences" "influence","influences","information","ingredient","ingredients","initial" "initials","initiator","initiators","injection","injections","injector" "injectors","injuries","injury","ink","inlet","inlets","input","inquiries" "inquiry","insanities","insanity","insertion","insertions","insignia" "insignias","inspection","inspections","installation","installations" "lists","liter","liters","litre","litres","liver","livers","lives","load" "loads","loaf","loan","loans","loaves","location","locations","lock","locker" "lockers","locks","locomotive","locomotives","log","logic","logistics","logs" "longitude","longitudes","look","lookout","lookouts","looks","loop","loops" "loran","loss","losses","lot","lots","loudspeaker","loudspeakers","love" "lubricant","lubricants","lubrication","lumber","lump","lumps","lung","lungs" "machine","machinery","machines","macro","macros","magazine","magazines" "magnesium","magnet","magneto","magnetos","magnets","magnitude","mail" "mailbox","mailboxes","maintainability","maintenance","major","majorities" "majority","majors","make","makes","makeup","male","males","malfunction" "malfunctions","man","management","managements","manager","managers","maneuver" "maneuvers","manifest","manifests","manner","manners","manpower","manual" "manuals","manufacturer","manufacturers","map","maples","maps","marble" "marbles","march","marches","margin","margins","marines","mark","market" "meridians","mess","message","messages","messenger","messengers","messes" "metal","metals","meter","meters","method","methodology","methods","metrics" "microphone","microphones","midnight","midwatch","midwatches","mile","miles" "milestone","milestones","military","milk","milks","mill","milligram" "milligrams","milliliter","milliliters","millimeter","millimeters","million" "millions","mills","mind","minds","mine","miner","mineral","minerals","miners" "mines","minimum","minimums","minority","mint","mints","minuses","minute" "minutes","mirror","mirrors","misalignment","misalignments","misalinement" "misalinements","misconduct","misfit","misfits","misleads","miss","misses" "missile","missiles","mission","missions","mist","mistake","mistakes" "mistrial","mistrials","mists","mitt","mitten","mittens","mitts","mix","mixes" "mixture","mixtures","mode","model","models","modem","modes","modification" "modifications","module","modules","moisture","moistures","molecule" "molecules","moment","moments","monday","mondays","money","moneys","monitor" "monitors","monolith","monoliths","month","months","moon","moonlight","moons" "mop","mops","morale","morals","morning","mornings","morphine","moss","mosses" "motel","motels","mother","mothers","motion","motions","motor","motors","mount" "mountain","mountains","mounts","mouth","mouths","move","movement","movements" "mover","movers","moves","much","mud","mug","mugs","mule","mules","multimeter" "multimeters","multiplex","multiplication","multiplications","multisystem" "multisystems","multitask","multitasks","muscle","muscles","music","mustard" "people","percent","percentage","percentages","percents","perfect" "perforation","perforations","perforator","perforators","performance" "performances","period","periods","permission","permit","permits","person" "personalities","personality","personnel","persons","petition","petitions" "petroleum","phase","phases","photo","photodiode","photodiodes","photograph" "photographs","photos","physics","pick","picks","picture","pictures","piece" "pieces","pier","piers","pile","piles","pilot","pilots","pin","pine","pines" "pink","pins","pint","pints","pipe","pipes","pistol","pistols","piston" "pistons","pit","pitch","pitches","pits","place","places","plan","plane" "planes","plans","plant","plants","plastic","plastics","plate","plates" "platform","platforms","plating","platter","platters","play","plays","plead" "pleads","pleasure","plexiglass","plot","plots","plow","plug","plugs","pocket" "pockets","point","pointer","pointers","points","poison","poisons","poke" "pokes","polarities","polarity","pole","poles","police","polices","policies" "policy","polish","polisher","polishers","polishes","poll","polls","pond" "puddles","puff","puffs","pull","pulls","pulse","pulses","pump","pumps","punch" "punches","puncture","punctures","punishment","punishments","pupil","pupils" "purchase","purchaser","purchasers","purchases","purge","purges","purpose" "purposes","push","pushdown","pushdowns","pushes","pushup","pushups","pyramid" "pyramids","qualification","qualifications","qualifier","qualifiers" "qualities","quality","quantities","quantity","quart","quarter","quarterdeck" "quarterdecks","quartermaster","quartermasters","quarters","quarts","question" "retention","retirement","retractor","retractors","retrieval","retrievals" "return","returns","reveille","reverse","review","reviews","revision" "revisions","revolution","revolutions","reward","rewards","rheostat" "rheostats","rhythm","rhythms","rib","ribbon","ribbons","ribs","rice","riddle" "riddles","ride","rides","riding","rifle","rifles","rifling","rig","rights" "rigs","rim","rims","ringing","rings","rinse","rinses","river","rivers","road" "roads","roadside","roar","roars","rock","rocket","rockets","rocks","rod" "rods","roll","roller","rollers","rollout","rollouts","rolls","roof","roofs" "room","rooms","root","roots","rope","ropes","rose","rotation","rotations" "rotor","rotors","round","rounds","route","routes","routine","routines" "rowboat","rowboats","rower","rowers","rubber","rubbish","rudder","rudders" "rug","rugs","rule","rules","rumble","rumbles","run","runaway","runaways" "runner","runners","runoff","runoffs","runout","runouts","runs","runway" "runways","rush","rushes","rust","sabotage","sack","sacks","saddle","saddles" "safeguard","safeguards","safety","sail","sailor","sailors","sails","sale" "sales","salt","salts","salute","salutes","salvage","salvages","sample" "samples","sand","sanitation","sap","saps","sash","sashes","satellite" "satellites","saturday","saturdays","saving","savings","saying","scab","scabs" "services","servo","servos","session","sessions","sets","setting","settings" "settlement","settlements","setup","setups","sevens","sevenths","seventies" "sewage","sewer","sewers","sex","sexes","shade","shades","shadow","shadows" "shaft","shafts","shame","shape","shapes","share","shares","sharpener" "sharpeners","shave","shaves","shears","sheds","sheet","sheeting","sheets" "shelf","shell","shells","shelter","shelters","shelves","shield","shields" "sunset","sunshine","superintendent","superlatives","supermarket" "sweeps","swell","swells","swim","swimmer","swimmers","swims","swing","swings" "switch","switches","swivel","swivels","sword","swords","symbol","symbols" "symptom","symptoms","syntax","synthetics","system","systems","tab","table" "tables","tablespoon","tablespoons","tablet","tablets","tabs","tabulation" "tabulations","tachometer","tachometers","tack","tackle","tackles","tacks" "tactic","tactics","tag","tags","tail","tailor","tailors","tails","takeoff" "takeoffs","talk","talker","talkers","talks","tan","tank","tanks","tap","tape" "threader","threaders","threads","threat","threats","threes","threshold" "trunk","trunks","trust","trusts","truth","truths","try","tub","tube","tubes" "tubing","tubs","tuesday","tuesdays","tug","tugs","tuition","tumble","tumbles" "tune","tunes","tunnel","tunnels","turbine","turbines","turbulence","turn" "turnaround","turnarounds","turns","turpitude","twenties","twig","twigs","twin" "twine","twins","twirl","twirls","twist","twists","twos","type","types" "typewriter","typewriters","typist","typists","umbrella","umbrellas" "uncertainties","uncertainty","uniform","uniforms","union","unions","unit" "units","universe","update","updates","upside","usage","usages","use","user" "wonder","wonders","wood","woods","wool","wools","word","words","work" "workbook","workbooks","workings","workload","workloads","workman","workmen" "works","worksheet","worksheets","world","worlds","worm","worms","worries" "worry","worth","wounds","wrap","wraps","wreck","wrecks","wrench","wrenches" "wrist","wrists","writer","writers","writing","writings","yard","yards","yarn" "yarns","yaw","yaws","year","years","yell","yells","yield","yields","yolk" "yolks","zero","zeros","zip","zips","zone","zones","can","may","accounting" "bearing","bracing","briefing","coupling","damping","ending","engineering" "feeling","heading","meaning","rating","rigging","ring","schooling","sizing" "sling","winding","inaction","nonavailability","nothing","broadcast","cast" "cost","cut","drunk","felt","forecast","ground","hit","lent","offset","set" "shed","shot","slit","thought","wound"]; HashTable!(string) st = new HashTable!(string)(false); foreach(idx,word;words) { st.insert(word); foreach(kt; words[0..idx+1]) { assert(st.search(kt)); } foreach(kt; words[idx+1..$]) assert(!st.search(kt)); assert(idx+1 == st.getSize(), conv!(size_t,string)(idx+1) ~ " " ~ conv!(size_t,string)(st.getSize())); Iterator!(string) it = st.begin(); size_t cnt = 0; while(it.isValid()) { assert(st.search(*it)); it++; cnt++; } assert(cnt == st.getSize(), conv!(size_t,string)(cnt) ~ " " ~ conv!(size_t,string)(st.getSize())); it = st.end(); cnt = 0; //writeln(); while(it.isValid()) { //writeln(*it); assert(st.search(*it)); it--; cnt++; } assert(cnt == st.getSize(), conv!(size_t,string)(cnt) ~ " " ~ conv!(size_t,string)(st.getSize())); } foreach(idx,jt; words) { assert(st.remove(jt)); foreach(kt; words[0..idx]) assert(!st.search(kt)); foreach(kt; words[idx+1..$]) assert(st.search(kt)); Iterator!(string) it = st.begin(); size_t cnt = 0; while(it.isValid()) { assert(st.search(*it)); it++; cnt++; } assert(cnt == st.getSize(), conv!(size_t,string)(cnt) ~ " " ~ conv!(size_t,string)(st.getSize())); it = st.end(); cnt = 0; while(it.isValid()) { assert(st.search(*it)); it--; cnt++; } assert(cnt == st.getSize(), conv!(size_t,string)(cnt) ~ " " ~ conv!(size_t,string)(st.getSize())); } for(int i = 0; i < lot[0].length; i++) { HashTable!(int) itT = new HashTable!(int)(); foreach(it; lot[0]) { itT.insert(it); } assert(itT.getSize() == lot[0].length); Iterator!(int) be = itT.begin(); while(be.isValid()) assert(itT.remove(be, true)); assert(itT.getSize() == 0); } for(int i = 0; i < lot[0].length; i++) { HashTable!(int) itT = new HashTable!(int)(); foreach(it; lot[0]) { itT.insert(it); } assert(itT.getSize() == lot[0].length); Iterator!(int) be = itT.end(); while(be.isValid()) assert(itT.remove(be, false)); assert(itT.getSize() == 0); } }
D
/Users/louislenief/Documents/Programmation/LTM-interface/build/LTM-interface.build/Debug/LTM-interface.build/Objects-normal/x86_64/ViewController_TableViewDelegate.o : /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_GetSelected.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TableViewDataSource.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/Sample.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TextFieldEditingDelegate.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/AppDelegate.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TableViewDelegate.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TaskLaunching.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/MicroExpression.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/Video.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_ActionHandler.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_Player.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/TableViewTags.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/DataSet.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/MicroExpressionsSet.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ColorTableCellView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AVFoundation.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/CoreAudio.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/AppKit.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/xpc/XPC.apinotes /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/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/AVFoundation.framework/Headers/AVFoundation.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/AppKit.framework/Headers/AppKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Users/louislenief/Documents/Programmation/LTM-interface/build/LTM-interface.build/Debug/LTM-interface.build/Objects-normal/x86_64/ViewController_TableViewDelegate~partial.swiftmodule : /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_GetSelected.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TableViewDataSource.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/Sample.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TextFieldEditingDelegate.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/AppDelegate.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TableViewDelegate.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TaskLaunching.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/MicroExpression.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/Video.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_ActionHandler.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_Player.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/TableViewTags.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/DataSet.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/MicroExpressionsSet.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ColorTableCellView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AVFoundation.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/CoreAudio.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/AppKit.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/xpc/XPC.apinotes /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/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/AVFoundation.framework/Headers/AVFoundation.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/AppKit.framework/Headers/AppKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Users/louislenief/Documents/Programmation/LTM-interface/build/LTM-interface.build/Debug/LTM-interface.build/Objects-normal/x86_64/ViewController_TableViewDelegate~partial.swiftdoc : /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_GetSelected.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TableViewDataSource.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/Sample.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TextFieldEditingDelegate.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/AppDelegate.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TableViewDelegate.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_TaskLaunching.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/MicroExpression.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/Video.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_ActionHandler.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ViewController_Player.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/TableViewTags.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/DataSet.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/Model/MicroExpressionsSet.swift /Users/louislenief/Documents/Programmation/LTM-interface/LTM-interface/ViewController/ColorTableCellView.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/XPC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/AVFoundation.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/CoreAudio.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/AppKit.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/xpc/XPC.apinotes /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/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/AVFoundation.framework/Headers/AVFoundation.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/AppKit.framework/Headers/AppKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes
D
instance DJG_730_ToterDrachenjaeger(Npc_Default) { name[0] = NAME_ToterDrachenjaeger; guild = GIL_DJG; id = 730; voice = 6; flags = 0; npcType = NPCTYPE_AMBIENT; B_SetAttributesToChapter(self,5); fight_tactic = FAI_HUMAN_STRONG; EquipItem(self,ItMw_2h_Sld_Sword); B_CreateAmbientInv(self); B_SetNpcVisual(self,MALE,"Hum_Head_Psionic",Face_N_Richter,BodyTex_N,itar_djg_l); Mdl_SetModelFatness(self,1); Mdl_ApplyOverlayMds(self,"Humans_Relaxed.mds"); B_GiveNpcTalents(self); B_SetFightSkills(self,65); daily_routine = Rtn_Start_730; }; func void Rtn_Start_730() { TA_Sit_Bench(8,0,23,0,"OW_PATH_1_15"); TA_Sit_Bench(23,0,8,0,"OW_PATH_1_15"); };
D
prototype Mst_Default_Swampshark(C_Npc) { name[0] = CZ_NAME_Monster_Swampshark; guild = GIL_SWAMPSHARK; vars[1] = TRUE; bodyStateInterruptableOverride = TRUE; aivar[AIV_MM_REAL_ID] = ID_SWAMPSHARK; level = 25; attribute[ATR_STRENGTH] = 350; attribute[ATR_DEXTERITY] = 80; attribute[ATR_HITPOINTS_MAX] = 2000; attribute[ATR_HITPOINTS] = 2000; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 170; protection[PROT_EDGE] = 150; protection[PROT_POINT] = 50; protection[PROT_FIRE] = 20; protection[PROT_FLY] = 40; protection[PROT_MAGIC] = 10; damagetype = DAM_EDGE; fight_tactic = FAI_SWAMPSHARK; senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL; senses_range = PERC_DIST_MONSTER_ACTIVE_MAX; aivar[AIV_MM_ThreatenBeforeAttack] = TRUE; aivar[AIV_MM_FollowTime] = FOLLOWTIME_MEDIUM; aivar[AIV_MM_FollowInWater] = TRUE; start_aistate = ZS_MM_AllScheduler; aivar[AIV_MM_RestStart] = OnlyRoutine; }; func void B_SetVisuals_Swampshark() { Mdl_SetVisual(self,"Swampshark.mds"); Mdl_SetVisualBody(self,"Swa_Body",DEFAULT,DEFAULT,"",DEFAULT,DEFAULT,-1); }; func void B_SetVisuals_Desertshark() { Mdl_SetVisual(self,"Swampshark.mds"); Mdl_SetVisualBody(self,"Swa_Body",1,1,"",DEFAULT,DEFAULT,-1); }; instance Swampshark(Mst_Default_Swampshark) { name[0] = CZ_NAME_Monster_Swampshark; aivar[AIV_Gender] = TRUE; guild = GIL_SWAMPSHARK; level = 25; vars[1] = TRUE; attribute[ATR_STRENGTH] = 450; attribute[ATR_DEXTERITY] = 80; attribute[ATR_HITPOINTS_MAX] = 2000; attribute[ATR_HITPOINTS] = 2000; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 170; protection[PROT_EDGE] = 150; protection[PROT_POINT] = 50; protection[PROT_FIRE] = 20; protection[PROT_FLY] = 40; protection[PROT_MAGIC] = 10; B_SetVisuals_Swampshark(); Npc_SetToFistMode(self); }; instance Desertshark(Mst_Default_Swampshark) { name[0] = CZ_NAME_Monster_Swampshark_Desert; aivar[AIV_Gender] = TRUE; aivar[AIV_MM_REAL_ID] = ID_DESERTSHARK; level = 30; attribute[ATR_STRENGTH] = 490; attribute[ATR_DEXTERITY] = 180; attribute[ATR_HITPOINTS_MAX] = 2500; attribute[ATR_HITPOINTS] = 2500; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 190; protection[PROT_EDGE] = 160; protection[PROT_POINT] = 100; protection[PROT_FIRE] = 90; protection[PROT_FLY] = 50; protection[PROT_MAGIC] = 20; B_SetVisuals_Desertshark(); Npc_SetToFistMode(self); }; instance MIS_Addon_Swampshark_01(Mst_Default_Swampshark) { name[0] = CZ_NAME_Monster_Swampshark; aivar[AIV_Gender] = TRUE; guild = GIL_SWAMPSHARK; level = 25; vars[1] = TRUE; attribute[ATR_STRENGTH] = 350; attribute[ATR_DEXTERITY] = 80; attribute[ATR_HITPOINTS_MAX] = 2000; attribute[ATR_HITPOINTS] = 2000; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 170; protection[PROT_EDGE] = 150; protection[PROT_POINT] = 50; protection[PROT_FIRE] = 20; protection[PROT_FLY] = 40; protection[PROT_MAGIC] = 10; B_SetVisuals_Swampshark(); Npc_SetToFistMode(self); }; instance MIS_Addon_Swampshark_02(Mst_Default_Swampshark) { name[0] = CZ_NAME_Monster_Swampshark; aivar[AIV_Gender] = TRUE; guild = GIL_SWAMPSHARK; level = 25; vars[1] = TRUE; attribute[ATR_STRENGTH] = 350; attribute[ATR_DEXTERITY] = 80; attribute[ATR_HITPOINTS_MAX] = 2000; attribute[ATR_HITPOINTS] = 2000; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 170; protection[PROT_EDGE] = 150; protection[PROT_POINT] = 50; protection[PROT_FIRE] = 20; protection[PROT_FLY] = 40; protection[PROT_MAGIC] = 10; B_SetVisuals_Swampshark(); Npc_SetToFistMode(self); }; instance MIS_Addon_Swampshark_03(Mst_Default_Swampshark) { name[0] = CZ_NAME_Monster_Swampshark; aivar[AIV_Gender] = TRUE; guild = GIL_SWAMPSHARK; level = 25; vars[1] = TRUE; attribute[ATR_STRENGTH] = 350; attribute[ATR_DEXTERITY] = 80; attribute[ATR_HITPOINTS_MAX] = 2000; attribute[ATR_HITPOINTS] = 2000; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 170; protection[PROT_EDGE] = 150; protection[PROT_POINT] = 50; protection[PROT_FIRE] = 20; protection[PROT_FLY] = 40; protection[PROT_MAGIC] = 10; B_SetVisuals_Swampshark(); Npc_SetToFistMode(self); }; instance MIS_Addon_Swampshark_Lou(Mst_Default_Swampshark) { name[0] = CZ_NAME_Monster_Swampshark; aivar[AIV_Gender] = TRUE; guild = GIL_SWAMPSHARK; level = 25; vars[1] = TRUE; attribute[ATR_STRENGTH] = 350; attribute[ATR_DEXTERITY] = 80; attribute[ATR_HITPOINTS_MAX] = 2000; attribute[ATR_HITPOINTS] = 2000; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 170; protection[PROT_EDGE] = 150; protection[PROT_POINT] = 50; protection[PROT_FIRE] = 20; protection[PROT_FLY] = 40; protection[PROT_MAGIC] = 10; B_SetVisuals_Swampshark(); Npc_SetToFistMode(self); CreateInvItems(self,ITKE_Addon_Tavern_01,1); }; instance SWAMPSHARK_UNIQ(Mst_Default_Swampshark) { name[0] = CZ_NAME_Monster_Swampshark_Zhivoglot; level = 50; vars[1] = TRUE; guild = GIL_SWAMPSHARK; aivar[90] = TRUE; aivar[94] = NPC_UNCOMMON; attribute[ATR_STRENGTH] = 550; attribute[ATR_DEXTERITY] = 150; attribute[ATR_HITPOINTS_MAX] = 8000; attribute[ATR_HITPOINTS] = 8000; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; protection[PROT_BLUNT] = 230; protection[PROT_EDGE] = 270; protection[PROT_POINT] = 200; protection[PROT_FIRE] = 30; protection[PROT_FLY] = 40; protection[PROT_MAGIC] = 20; B_SetVisuals_Swampshark(); Npc_SetToFistMode(self); };
D
/Users/a123456/Desktop/React/WeiBoNews/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlamofireImage.build/Objects-normal/x86_64/Image.o : /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/AFIError.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/Image.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/ImageCache.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/ImageDownloader.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/ImageFilter.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/Request+AlamofireImage.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/UIButton+AlamofireImage.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/UIImage+AlamofireImage.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/UIImageView+AlamofireImage.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/a123456/Desktop/React/WeiBoNews/Pods/Target\ Support\ Files/AlamofireImage/AlamofireImage-umbrella.h /Users/a123456/Desktop/React/WeiBoNews/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlamofireImage.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/a123456/Desktop/React/WeiBoNews/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/a123456/Desktop/React/WeiBoNews/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/a123456/Desktop/React/WeiBoNews/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/a123456/Desktop/React/WeiBoNews/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/module.modulemap /Users/a123456/Desktop/React/WeiBoNews/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlamofireImage.build/Objects-normal/x86_64/Image~partial.swiftmodule : /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/AFIError.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/Image.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/ImageCache.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/ImageDownloader.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/ImageFilter.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/Request+AlamofireImage.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/UIButton+AlamofireImage.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/UIImage+AlamofireImage.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/UIImageView+AlamofireImage.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/a123456/Desktop/React/WeiBoNews/Pods/Target\ Support\ Files/AlamofireImage/AlamofireImage-umbrella.h /Users/a123456/Desktop/React/WeiBoNews/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlamofireImage.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/a123456/Desktop/React/WeiBoNews/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/a123456/Desktop/React/WeiBoNews/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/a123456/Desktop/React/WeiBoNews/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/a123456/Desktop/React/WeiBoNews/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/module.modulemap /Users/a123456/Desktop/React/WeiBoNews/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlamofireImage.build/Objects-normal/x86_64/Image~partial.swiftdoc : /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/AFIError.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/Image.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/ImageCache.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/ImageDownloader.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/ImageFilter.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/Request+AlamofireImage.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/UIButton+AlamofireImage.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/UIImage+AlamofireImage.swift /Users/a123456/Desktop/React/WeiBoNews/Pods/AlamofireImage/Source/UIImageView+AlamofireImage.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/a123456/Desktop/React/WeiBoNews/Pods/Target\ Support\ Files/AlamofireImage/AlamofireImage-umbrella.h /Users/a123456/Desktop/React/WeiBoNews/Build/Intermediates/Pods.build/Debug-iphonesimulator/AlamofireImage.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/a123456/Desktop/React/WeiBoNews/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Modules/Alamofire.swiftmodule/x86_64.swiftmodule /Users/a123456/Desktop/React/WeiBoNews/Build/Products/Debug-iphonesimulator/Alamofire/Alamofire.framework/Headers/Alamofire-Swift.h /Users/a123456/Desktop/React/WeiBoNews/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Users/a123456/Desktop/React/WeiBoNews/Build/Intermediates/Pods.build/Debug-iphonesimulator/Alamofire.build/module.modulemap
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_11_BeT-1416147181.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_11_BeT-1416147181.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
//import arsd.dom; import vibe.data.json; import dateparser; //import easy.windows.std.net.curl; import std.net.curl; import std.array; import std.conv; import std.datetime; import std.file; import std.format; //import std.json; import std.path; import std.regex; import std.stdio; import std.string; private void exit(int code) { import std.c.stdlib; std.c.stdlib.exit(code); } /+ struct S { mixin JsonizeMe; // this is required to support jsonization @jsonize { // public serialized members int x; float f; } string dontJsonMe; // jsonizer won't touch members not marked with @jsonize } +/ void prepare_for_wite_path(string path) { string abs_path = absolutePath(path); string dir_path = dirName(abs_path); mkdirRecurse(dir_path); try { auto currentTime = Clock.currTime(); setTimes(dir_path, currentTime, currentTime); } catch (Exception ex) { } } int main(string[] args) { writeln(`1`); assert(parse("2003-09-25") == SysTime(DateTime(2003, 9, 25))); assert(parse("09/25/2003") == SysTime(DateTime(2003, 9, 25))); assert(parse("Sep 2003") == SysTime(DateTime(2003, 9, 1))); assert(parse("Jan 01, 2017") == SysTime(DateTime(2017, 1, 1))); //auto v_date = parse("Jan 23, 2017"); //writefln(`%d/%d/%d`, v_date.year, v_date.month, v_date.day); Json j1 = Json(["field1" : Json("foo"), "field2" : Json(42), "field3" : Json(true)]); // using piecewise construction Json j2 = Json.emptyObject; j2["field1"] = "foo"; j2["field2"] = 42.0; j2["field3"] = true; // using serialization struct S { string field1; double field2; bool field3; } Json j3 = S("foo", 42, true).serializeToJson(); // using serialization, converting directly to a JSON string string j4 = S("foo", 32, true).serializeToJsonString(); writeln(j4); Json x = parseJsonString("{ \"abc\": \"x\tyz\"}"); writeln(x.serializeToJsonString()); return 0; }
D
/** * * Copyright: Copyright Digital Mars 2000 - 2012. * License: Distributed under the * $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0). * (See accompanying file LICENSE) * Authors: Walter Bright, Sean Kelly, Martin Nowak * Source: $(DRUNTIMESRC rt/_sections.d) */ /* NOTE: This file has been patched from the original DMD distribution to * work with the GDC compiler. */ module rt.sections; version (OSX) version = Darwin; else version (iOS) version = Darwin; else version (TVOS) version = Darwin; else version (WatchOS) version = Darwin; version (GNU) public import gcc.sections; else version (CRuntime_Glibc) public import rt.sections_elf_shared; else version (CRuntime_Musl) public import rt.sections_elf_shared; else version (FreeBSD) public import rt.sections_elf_shared; else version (NetBSD) public import rt.sections_elf_shared; else version (OpenBSD) { /** * OpenBSD is missing support needed for elf_shared. * See the top of sections_solaris.d for more info. */ public import rt.sections_solaris; } else version (DragonFlyBSD) public import rt.sections_elf_shared; else version (Solaris) public import rt.sections_solaris; else version (Darwin) { version (X86_64) public import rt.sections_osx_x86_64; else version (X86) public import rt.sections_osx_x86; else static assert(0, "unimplemented"); } else version (CRuntime_DigitalMars) public import rt.sections_win32; else version (CRuntime_Microsoft) public import rt.sections_win64; else version (CRuntime_Bionic) public import rt.sections_android; else version (CRuntime_UClibc) public import rt.sections_elf_shared; else static assert(0, "unimplemented"); import rt.deh, rt.minfo; template isSectionGroup(T) { enum isSectionGroup = is(typeof(T.init.modules) == immutable(ModuleInfo*)[]) && is(typeof(T.init.moduleGroup) == ModuleGroup) && (!is(typeof(T.init.ehTables)) || is(typeof(T.init.ehTables) == immutable(FuncTable)[])) && is(typeof(T.init.gcRanges) == void[][]) && is(typeof({ foreach (ref T; T) {}})) && is(typeof({ foreach_reverse (ref T; T) {}})); } static assert(isSectionGroup!(SectionGroup)); static assert(is(typeof(&initSections) == void function() nothrow @nogc)); static assert(is(typeof(&finiSections) == void function() nothrow @nogc)); static assert(is(typeof(&initTLSRanges) RT == return) && is(typeof(&initTLSRanges) == RT function() nothrow @nogc) && is(typeof(&finiTLSRanges) == void function(RT) nothrow @nogc) && is(typeof(&scanTLSRanges) == void function(RT, scope void delegate(void*, void*) nothrow) nothrow)); version (Shared) { static assert(is(typeof(&pinLoadedLibraries) == void* function() nothrow @nogc)); static assert(is(typeof(&unpinLoadedLibraries) == void function(void*) nothrow @nogc)); static assert(is(typeof(&inheritLoadedLibraries) == void function(void*) nothrow @nogc)); static assert(is(typeof(&cleanupLoadedLibraries) == void function() nothrow @nogc)); } bool scanDataSegPrecisely() nothrow @nogc { import rt.config; string opt = rt_configOption("scanDataSeg"); switch (opt) { case "": case "conservative": return false; case "precise": return true; default: __gshared err = new Error("DRT invalid scanDataSeg option, must be 'precise' or 'conservative'"); throw err; } }
D
# FIXED Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/driverlib/systick.c Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F28x_Project.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Cla_typedefs.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_device.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/assert.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/linkage.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/stdarg.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/stdbool.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/stddef.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/stdint.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_adc.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_analogsubsys.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_can.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_cla.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_cmpss.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_cputimer.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_dac.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_dcsm.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_dma.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_ecap.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_emif.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_epwm.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_epwm_xbar.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_eqep.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_flash.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_gpio.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_i2c.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_input_xbar.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_ipc.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_mcbsp.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_memconfig.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_nmiintrupt.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_output_xbar.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_piectrl.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_pievect.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_sci.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_sdfm.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_spi.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_sysctrl.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_upp.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_xbar.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_xint.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Examples.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_GlobalPrototypes.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_cputimervars.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Cla_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_EPwm_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Adc_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Emif_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Gpio_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_I2c_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Ipc_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Pie_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Dma_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_SysCtrl_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Upp_defines.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/Inc_Drivers.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F28x_Project.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/COM_cpu01/Include/DEF_Global.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/string.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/Init_HW.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/Config_GPIO.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/Config_CAN.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/driverlib/can.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/Config_SCI.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/FIFO.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/string.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_defaultisr.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/inc/hw_ints.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/inc/hw_types.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/driverlib/debug.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/driverlib/interrupt.h Comun/driverlib/systick.obj: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/driverlib/systick.h C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/driverlib/systick.c: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F28x_Project.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Cla_typedefs.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_device.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/assert.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/linkage.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/stdarg.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/stdbool.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/stddef.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/stdint.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_adc.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_analogsubsys.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_can.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_cla.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_cmpss.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_cputimer.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_dac.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_dcsm.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_dma.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_ecap.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_emif.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_epwm.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_epwm_xbar.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_eqep.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_flash.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_gpio.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_i2c.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_input_xbar.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_ipc.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_mcbsp.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_memconfig.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_nmiintrupt.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_output_xbar.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_piectrl.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_pievect.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_sci.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_sdfm.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_spi.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_sysctrl.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_upp.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_xbar.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_headers/include/F2837xD_xint.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Examples.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_GlobalPrototypes.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_cputimervars.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Cla_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_EPwm_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Adc_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Emif_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Gpio_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_I2c_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Ipc_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Pie_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Dma_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_SysCtrl_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_Upp_defines.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/Inc_Drivers.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F28x_Project.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/COM_cpu01/Include/DEF_Global.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/string.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/Init_HW.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/Config_GPIO.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/Config_CAN.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/driverlib/can.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/Config_SCI.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/Drivers/Include/FIFO.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/ti-cgt-c2000_16.9.6.LTS/include/string.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/F2837xD_defaultisr.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/inc/hw_ints.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/F2837xD_common/include/inc/hw_types.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/driverlib/debug.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/driverlib/interrupt.h: C:/Users/dagaro/workspace/Firmware_Test/UFCharger/F2837xD/Comun/driverlib/systick.h:
D
// Written in D programming language /* 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. */ /** * Container contains widgets. * It is port of C++ libtcod-gui library. * * Authors: Gushcha Anton, Jice & Mingos * License: Boost v1.0 */ module gui.container; import derelict.tcod.libtcod; import gui.widget; import std.container; import std.algorithm; import std.range; class Container : Widget { public { this(int x, int y, int w, int h) { super(x, y, w, h); } final void addWidget(Widget widget) { content.insert(widget); widgets.linearRemove(find(widgets[], widget).take(1)); } final void removeWidget(Widget widget) { auto range = find(content[], widget); content.linearRemove(find(content[], widget).take(1)); } override void render() { foreach(wid; content) { if (wid.isVisible()) wid.render(); } } final void clear() { content.clear(); } override void update(const TCOD_key_t k) { super.update(k); foreach(wid; content) { if(wid.isVisible()) wid.update(k); } } } protected { DList!Widget content; } }
D
/Users/trevorschirra/Documents/GitHub/rosetta-code-contributions/rust_donut_dot_c/target/debug/deps/rust_donut_dot_c-14f84cf6b14daf3e.rmeta: src/main.rs /Users/trevorschirra/Documents/GitHub/rosetta-code-contributions/rust_donut_dot_c/target/debug/deps/rust_donut_dot_c-14f84cf6b14daf3e.d: src/main.rs src/main.rs:
D
FUNC VOID B_Praxiserfahrung(var C_NPC oth, var C_NPC slf) { if (slf.flags == 2) || (slf.aivar[AIV_Partymember] == TRUE) { return; }; if (Hlp_GetInstanceID(oth) != Hlp_GetInstanceID(PC_Hero)) { return; }; if (Hlp_GetInstanceID(oth) == Hlp_GetInstanceID(PC_Hero)) && (!playerIsTransformed) { if (Mod_Staerke_Praxis_Next == 0) { Mod_Staerke_Praxis_Next = 100; }; if (Mod_Geschick_Praxis_Next == 0) { Mod_Geschick_Praxis_Next = 100; }; if (Mod_Mana_Praxis_Next == 0) { Mod_Mana_Praxis_Next = 100; }; if (Mod_Einhand_Praxis_Next == 0) { Mod_Einhand_Praxis_Next = 100; }; if (Mod_Zweihand_Praxis_Next == 0) { Mod_Zweihand_Praxis_Next = 100; }; if (Mod_Bogen_Praxis_Next == 0) { Mod_Bogen_Praxis_Next = 100; }; if (Mod_Armbrust_Praxis_Next == 0) { Mod_Armbrust_Praxis_Next = 100; }; if (Npc_IsInFightMode (hero, FMODE_MELEE)) { if (Mod_Schwierigkeit != 4) { Mod_Staerke_Praxis += 3; } else { Mod_Staerke_Praxis += 6; Mod_Geschick_Praxis += 2; }; //PrintScreen ("Nahkampf!", -1, YPOS_ItemGiven, FONT_ScreenSmall, 2); } else if (Npc_IsInFightMode (hero, FMODE_FAR)) { if (Mod_Schwierigkeit != 4) { Mod_Geschick_Praxis += 3; } else { Mod_Geschick_Praxis += 6; Mod_Staerke_Praxis += 2; }; //PrintScreen ("Fernkampf!", -1, YPOS_ItemGiven, FONT_ScreenSmall, 2); } else if (Npc_IsInFightMode (hero, FMODE_MAGIC)) { if (Mod_Schwierigkeit != 4) { Mod_Mana_Praxis += 3; } else { Mod_Mana_Praxis += 6; }; //PrintScreen ("Magiekampf!", -1, YPOS_ItemGiven, FONT_ScreenSmall, 2); } else if (Npc_IsInFightMode (hero, FMODE_FIST)) { if (Mod_Schwierigkeit != 4) { Mod_Staerke_Praxis += 5; } else { Mod_Staerke_Praxis += 10; }; //PrintScreen ("Faustkampf!", -1, YPOS_ItemGiven, FONT_ScreenSmall, 2); }; if (Mod_Geschick_Praxis >= Mod_Geschick_Praxis_Next) { Mod_Geschick_Praxis_Level += 1; hero.attribute[ATR_DEXTERITY] += 1; AI_PrintScreen ("+1 Geschick durch Praxiserfahrung", -1, YPOS_ItemGiven, FONT_ScreenSmall, 2); Mod_Geschick_Praxis -= Mod_Geschick_Praxis_Next; Mod_Geschick_Praxis_Next += 50; } else if (Mod_Staerke_Praxis >= Mod_Staerke_Praxis_Next) { Mod_Staerke_Praxis_Level += 1; hero.attribute[ATR_STRENGTH] += 1; AI_PrintScreen ("+1 Stärke durch Praxiserfahrung", -1, YPOS_ItemGiven, FONT_ScreenSmall, 2); Mod_Staerke_Praxis -= Mod_Staerke_Praxis_Next; Mod_Staerke_Praxis_Next += 50; } else if (Mod_Mana_Praxis >= Mod_Mana_Praxis_Next) { Mod_Mana_Praxis_Level += 1; hero.attribute[ATR_MANA_MAX] += 2; AI_PrintScreen ("+2 Mana durch Praxiserfahrung", -1, YPOS_ItemGiven, FONT_ScreenSmall, 2); Mod_Mana_Praxis -= Mod_Mana_Praxis_Next; Mod_Mana_Praxis_Next += 50; }; if (Mod_Schwierigkeit == 4) { var C_Item CW; CW = Npc_GetReadiedWeapon(hero); if (C_ItmHasFlag(CW, ITEM_SWD)) || (C_ItmHasFlag(CW, ITEM_AXE)) { Mod_Einhand_Praxis += 4; } else if (C_ItmHasFlag(CW, ITEM_2HD_SWD)) || (C_ItmHasFlag(CW, ITEM_2HD_AXE)) { Mod_Zweihand_Praxis += 4; } else if (C_ItmHasFlag(CW, ITEM_BOW)) { Mod_Bogen_Praxis += 8; } else if (C_ItmHasFlag(CW, ITEM_CROSSBOW)) { Mod_Armbrust_Praxis += 8; }; if (Mod_Zweihand_Praxis >= Mod_Zweihand_Praxis_Next) { Mod_Zweihand_Praxis_Level += 1; B_RaiseFightTalent(hero, NPC_TALENT_2H, 1); AI_PrintScreen ("+1 Zweihand durch Praxiserfahrung", -1, YPOS_ItemGiven+5, FONT_ScreenSmall, 2); Mod_Zweihand_Praxis -= Mod_Zweihand_Praxis_Next; Mod_Zweihand_Praxis_Next += 50; } else if (Mod_Einhand_Praxis >= Mod_Einhand_Praxis_Next) { Mod_Einhand_Praxis_Level += 1; B_RaiseFightTalent(hero, NPC_TALENT_1H, 1); AI_PrintScreen ("+1 Einhand durch Praxiserfahrung", -1, YPOS_ItemGiven, FONT_ScreenSmall, 2); Mod_Einhand_Praxis -= Mod_Einhand_Praxis_Next; Mod_Einhand_Praxis_Next += 50; } else if (Mod_Bogen_Praxis >= Mod_Bogen_Praxis_Next) { Mod_Bogen_Praxis_Level += 1; B_RaiseFightTalent(hero, NPC_TALENT_BOW, 1); AI_PrintScreen ("+1 Bogen durch Praxiserfahrung", -1, YPOS_ItemGiven, FONT_ScreenSmall, 2); Mod_Bogen_Praxis -= Mod_Bogen_Praxis_Next; Mod_Bogen_Praxis_Next += 50; } else if (Mod_Armbrust_Praxis >= Mod_Armbrust_Praxis_Next) { Mod_Armbrust_Praxis_Level += 1; B_RaiseFightTalent(hero, NPC_TALENT_CROSSBOW, 1); AI_PrintScreen ("+1 Armbrust durch Praxiserfahrung", -1, YPOS_ItemGiven, FONT_ScreenSmall, 2); Mod_Armbrust_Praxis -= Mod_Armbrust_Praxis_Next; Mod_Armbrust_Praxis_Next += 50; }; }; }; };
D
module ddbus.util; import ddbus.thin; import std.meta : AliasSeq, staticIndexOf; import std.range; import std.traits; import std.typecons : BitFlags, isTuple, Tuple; import std.variant : VariantN; struct DictionaryEntry(K, V) { K key; V value; } auto byDictionaryEntries(K, V)(V[K] aa) { import std.algorithm : map; return aa.byKeyValue.map!(pair => DictionaryEntry!(K, V)(pair.key, pair.value)); } /+ Predicate template indicating whether T is an instance of ddbus.thin.Variant. Deprecated: This template used to be undocumented and user code should not depend on it. Its meaning became unclear when support for Phobos-style variants was added. It seemed best to remove it at that point. +/ deprecated("Use std.traits.isInstanceOf instead.") template isVariant(T) { static if (isBasicType!T || isInputRange!T) { enum isVariant = false; } else static if (__traits(compiles, TemplateOf!T) && __traits(isSame, TemplateOf!T, Variant)) { enum isVariant = true; } else { enum isVariant = false; } } template VariantType(T) { alias VariantType = TemplateArgsOf!(T)[0]; } template allCanDBus(TS...) { static if (TS.length == 0) { enum allCanDBus = true; } else static if (!canDBus!(TS[0])) { enum allCanDBus = false; } else { enum allCanDBus = allCanDBus!(TS[1 .. $]); } } /++ AliasSeq of all basic types in terms of the DBus typesystem +/ package // Don't add to the API yet, 'cause I intend to move it later alias BasicTypes = AliasSeq!(bool, byte, short, ushort, int, uint, long, ulong, double, string, ObjectPath, InterfaceName, BusName); template basicDBus(T) { static if (staticIndexOf!(T, BasicTypes) >= 0) { enum basicDBus = true; } else static if (is(T B == enum)) { enum basicDBus = basicDBus!B; } else static if (isInstanceOf!(BitFlags, T)) { alias TemplateArgsOf!T[0] E; enum basicDBus = basicDBus!E; } else { enum basicDBus = false; } } template canDBus(T) { static if (basicDBus!T || is(T == DBusAny)) { enum canDBus = true; } else static if (isInstanceOf!(Variant, T)) { enum canDBus = canDBus!(VariantType!T); } else static if (isInstanceOf!(VariantN, T)) { // Phobos-style variants are supported if limited to DBus compatible types. enum canDBus = (T.AllowedTypes.length > 0) && allCanDBus!(T.AllowedTypes); } else static if (isTuple!T) { enum canDBus = allCanDBus!(T.Types); } else static if (isInputRange!T) { static if (is(ElementType!T == DictionaryEntry!(K, V), K, V)) { enum canDBus = basicDBus!K && canDBus!V; } else { enum canDBus = canDBus!(ElementType!T); } } else static if (isAssociativeArray!T) { enum canDBus = basicDBus!(KeyType!T) && canDBus!(ValueType!T); } else static if (is(T == struct) && !isInstanceOf!(DictionaryEntry, T)) { enum canDBus = allCanDBus!(AllowedFieldTypes!T); } else { enum canDBus = false; } } unittest { import dunit.toolkit; (canDBus!int).assertTrue(); (canDBus!(int[])).assertTrue(); (allCanDBus!(int, string, bool)).assertTrue(); (canDBus!(Tuple!(int[], bool, Variant!short))).assertTrue(); (canDBus!(Tuple!(int[], int[string]))).assertTrue(); (canDBus!(int[string])).assertTrue(); } string typeSig(T)() if (canDBus!T) { static if (is(T == byte)) { return "y"; } else static if (is(T == bool)) { return "b"; } else static if (is(T == short)) { return "n"; } else static if (is(T == ushort)) { return "q"; } else static if (is(T == int)) { return "i"; } else static if (is(T == uint)) { return "u"; } else static if (is(T == long)) { return "x"; } else static if (is(T == ulong)) { return "t"; } else static if (is(T == double)) { return "d"; } else static if (is(T == string) || is(T == InterfaceName) || is(T == BusName)) { return "s"; } else static if (is(T == ObjectPath)) { return "o"; } else static if (isInstanceOf!(Variant, T) || isInstanceOf!(VariantN, T)) { return "v"; } else static if (is(T B == enum)) { return typeSig!B; } else static if (isInstanceOf!(BitFlags, T)) { alias TemplateArgsOf!T[0] E; return typeSig!E; } else static if (is(T == DBusAny)) { static assert(false, "Cannot determine type signature of DBusAny. Change to Variant!DBusAny if a variant was desired."); } else static if (isTuple!T) { string sig = "("; foreach (i, S; T.Types) { sig ~= typeSig!S(); } sig ~= ")"; return sig; } else static if (isInputRange!T) { return "a" ~ typeSig!(ElementType!T)(); } else static if (isAssociativeArray!T) { return "a{" ~ typeSig!(KeyType!T) ~ typeSig!(ValueType!T) ~ "}"; } else static if (is(T == struct)) { string sig = "("; foreach (i, S; AllowedFieldTypes!T) { sig ~= typeSig!S(); } sig ~= ")"; return sig; } } string typeSig(T)() if (isInstanceOf!(DictionaryEntry, T)) { alias typeof(T.key) K; alias typeof(T.value) V; return "{" ~ typeSig!K ~ typeSig!V ~ '}'; } string[] typeSigReturn(T)() if (canDBus!T) { static if (is(T == Tuple!TS, TS...)) return typeSigArr!TS; else return [typeSig!T]; } string typeSigAll(TS...)() if (allCanDBus!TS) { string sig = ""; foreach (i, T; TS) { sig ~= typeSig!T(); } return sig; } string[] typeSigArr(TS...)() if (allCanDBus!TS) { string[] sig = []; foreach (i, T; TS) { sig ~= typeSig!T(); } return sig; } int typeCode(T)() if (canDBus!T) { int code = typeSig!T()[0]; return (code != '(') ? code : 'r'; } int typeCode(T)() if (isInstanceOf!(DictionaryEntry, T) && canDBus!(T[])) { return 'e'; } unittest { import dunit.toolkit; static assert(canDBus!ObjectPath); static assert(canDBus!InterfaceName); static assert(canDBus!BusName); // basics typeSig!int().assertEqual("i"); typeSig!bool().assertEqual("b"); typeSig!string().assertEqual("s"); typeSig!(Variant!int)().assertEqual("v"); // enums enum E : byte { a, b, c } typeSig!E().assertEqual(typeSig!byte()); enum U : string { One = "One", Two = "Two" } typeSig!U().assertEqual(typeSig!string()); // bit flags enum F : uint { a = 1, b = 2, c = 4 } typeSig!(BitFlags!F)().assertEqual(typeSig!uint()); // tuples (represented as structs in DBus) typeSig!(Tuple!(int, string, string)).assertEqual("(iss)"); typeSig!(Tuple!(int, string, Variant!int, Tuple!(int, "k", double, "x"))).assertEqual( "(isv(id))"); // structs struct S1 { int a; double b; string s; } typeSig!S1.assertEqual("(ids)"); struct S2 { Variant!int c; string d; S1 e; uint f; } typeSig!S2.assertEqual("(vs(ids)u)"); // arrays typeSig!(int[]).assertEqual("ai"); typeSig!(Variant!int[]).assertEqual("av"); typeSig!(Tuple!(byte)[][]).assertEqual("aa(y)"); // dictionaries typeSig!(int[string]).assertEqual("a{si}"); typeSig!(DictionaryEntry!(string, int)[]).assertEqual("a{si}"); // multiple arguments typeSigAll!(int, bool).assertEqual("ib"); // Phobos-style variants canDBus!(std.variant.Variant).assertFalse(); typeSig!(std.variant.Algebraic!(int, double, string)).assertEqual("v"); // type codes typeCode!int().assertEqual(cast(int)('i')); typeCode!bool().assertEqual(cast(int)('b')); typeCode!(Tuple!(int, string))().assertEqual(cast(int)('r')); // ctfe-capable static string sig = typeSig!ulong(); sig.assertEqual("t"); static string sig2 = typeSig!(Tuple!(int, string, string)); sig2.assertEqual("(iss)"); static string sig3 = typeSigAll!(int, string, InterfaceName, BusName); sig3.assertEqual("isss"); } private template AllowedFieldTypes(S) if (is(S == struct)) { import ddbus.attributes : isAllowedField; import std.meta : Filter, staticMap; static alias TypeOf(alias sym) = typeof(sym); alias AllowedFieldTypes = staticMap!(TypeOf, Filter!(isAllowedField, S.tupleof)); }
D
/* * Copyright (c) 2008-2011 Niels Provos and Nick Mathewson * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * 3. The name of the author may not be used to endorse or promote products * derived from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR * IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES * OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. * IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT * NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF * THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ /** @file event2/thread.h Functions for multi-threaded applications using Libevent. When using a multi-threaded application in which multiple threads add and delete events from a single event base, Libevent needs to lock its data structures. Like the memory-management function hooks, all of the threading functions _must_ be set up before an event_base is created if you want the base to use them. Most programs will either be using Windows threads or Posix threads. You can configure Libevent to use one of these event_use_windows_threads() or event_use_pthreads() respectively. If you're using another threading library, you'll need to configure threading functions manually using evthread_set_lock_callbacks() and evthread_set_condition_callbacks(). */ module deimos.event2.thread; extern (C): nothrow: import deimos.event2._d_util; /** @name Flags passed to lock functions @{ */ /** A flag passed to a locking callback when the lock was allocated as a * read-write lock, and we want to acquire or release the lock for writing. */ enum EVTHREAD_WRITE = 0x04; /** A flag passed to a locking callback when the lock was allocated as a * read-write lock, and we want to acquire or release the lock for reading. */ enum EVTHREAD_READ = 0x08; /** A flag passed to a locking callback when we don't want to block waiting * for the lock; if we can't get the lock immediately, we will instead * return nonzero from the locking callback. */ enum EVTHREAD_TRY = 0x10; /**@}*/ enum EVTHREAD_LOCK_API_VERSION = 1; /** @name Types of locks @{*/ /** A recursive lock is one that can be acquired multiple times at once by the * same thread. No other process can allocate the lock until the thread that * has been holding it has unlocked it as many times as it locked it. */ enum EVTHREAD_LOCKTYPE_RECURSIVE = 1; /* A read-write lock is one that allows multiple simultaneous readers, but * where any one writer excludes all other writers and readers. */ enum EVTHREAD_LOCKTYPE_READWRITE = 2; /**@}*/ /** This structure describes the interface a threading library uses for * locking. It's used to tell evthread_set_lock_callbacks() how to use * locking on this platform. */ struct evthread_lock_callbacks { /** The current version of the locking API. Set this to * EVTHREAD_LOCK_API_VERSION */ int lock_api_version; /** Which kinds of locks does this version of the locking API * support? A bitfield of EVTHREAD_LOCKTYPE_RECURSIVE and * EVTHREAD_LOCKTYPE_READWRITE. * * (Note that RECURSIVE locks are currently mandatory, and * READWRITE locks are not currently used.) **/ uint supported_locktypes; /** Function to allocate and initialize new lock of type 'locktype'. * Returns NULL on failure. */ ExternC!(void* function(uint locktype)) alloc; /** Funtion to release all storage held in 'lock', which was created * with type 'locktype'. */ ExternC!(void function(void* lock, uint locktype)) free; /** Acquire an already-allocated lock at 'lock' with mode 'mode'. * Returns 0 on success, and nonzero on failure. */ ExternC!(int function(uint mode, void* lock)) lock; /** Release a lock at 'lock' using mode 'mode'. Returns 0 on success, * and nonzero on failure. */ ExternC!(int function(uint mode, void* lock)) unlock; }; /** Sets a group of functions that Libevent should use for locking. * For full information on the required callback API, see the * documentation for the individual members of evthread_lock_callbacks. * * Note that if you're using Windows or the Pthreads threading library, you * probably shouldn't call this function; instead, use * evthread_use_windows_threads() or evthread_use_posix_threads() if you can. */ int evthread_set_lock_callbacks(const(evthread_lock_callbacks)*); enum EVTHREAD_CONDITION_API_VERSION = 1; struct timeval; /** This structure describes the interface a threading library uses for * condition variables. It's used to tell evthread_set_condition_callbacks * how to use locking on this platform. */ struct evthread_condition_callbacks { /** The current version of the conditions API. Set this to * EVTHREAD_CONDITION_API_VERSION */ int condition_api_version; /** Function to allocate and initialize a new condition variable. * Returns the condition variable on success, and NULL on failure. * The 'condtype' argument will be 0 with this API version. */ ExternC!(void* function(uint condtype)) alloc_condition; /** Function to free a condition variable. */ ExternC!(void function(void* cond)) free_condition; /** Function to signal a condition variable. If 'broadcast' is 1, all * threads waiting on 'cond' should be woken; otherwise, only on one * thread is worken. Should return 0 on success, -1 on failure. * This function will only be called while holding the associated * lock for the condition. */ ExternC!(int function(void* cond, int broadcast)) signal_condition; /** Function to wait for a condition variable. The lock 'lock' * will be held when this function is called; should be released * while waiting for the condition to be come signalled, and * should be held again when this function returns. * If timeout is provided, it is interval of seconds to wait for * the event to become signalled; if it is NULL, the function * should wait indefinitely. * * The function should return -1 on error; 0 if the condition * was signalled, or 1 on a timeout. */ ExternC!(int function(void* cond, void* lock, const(timeval)* timeout)) wait_condition; }; /** Sets a group of functions that Libevent should use for condition variables. * For full information on the required callback API, see the * documentation for the individual members of evthread_condition_callbacks. * * Note that if you're using Windows or the Pthreads threading library, you * probably shouldn't call this function; instead, use * evthread_use_windows_threads() or evthread_use_pthreads() if you can. */ int evthread_set_condition_callbacks( const(evthread_condition_callbacks)*); /** Sets the function for determining the thread id. @param base the event base for which to set the id function @param id_fn the identify function Libevent should invoke to determine the identity of a thread. */ void evthread_set_id_callback( ExternC!(c_ulong function()) id_fn); version (Win32) { /** Sets up Libevent for use with Windows builtin locking and thread ID functions. Unavailable if Libevent is not built for Windows. @return 0 on success, -1 on failure. */ int evthread_use_windows_threads(); /** Defined if Libevent was built with support for evthread_use_windows_threads() */ enum EVTHREAD_USE_WINDOWS_THREADS_IMPLEMENTED = 1; } version (Posix) { /** Sets up Libevent for use with Pthreads locking and thread ID functions. Unavailable if Libevent is not build for use with pthreads. Requires libraries to link against Libevent_pthreads as well as Libevent. @return 0 on success, -1 on failure. */ int evthread_use_pthreads(); /** Defined if Libevent was built with support for evthread_use_pthreads() */ enum EVTHREAD_USE_PTHREADS_IMPLEMENTED = 1; } /** Enable debugging wrappers around the current lock callbacks. If Libevent * makes one of several common locking errors, exit with an assertion failure. * * If you're going to call this function, you must do so before any locks are * allocated. **/ void evthread_enable_lock_debuging(); struct event_base; /** Make sure it's safe to tell an event base to wake up from another thread or a signal handler. @return 0 on success, -1 on failure. */ int evthread_make_base_notifiable(event_base* base);
D
/Users/admin/Developer/Liturgia.git/Liturgia-test1/DerivedData/Liturgia-test1/Build/Intermediates/Liturgia-test1.build/Debug-iphonesimulator/Liturgia-test1.build/Objects-normal/x86_64/AppDelegate.o : /Users/admin/Developer/Liturgia.git/Liturgia-test1/Liturgia-test1/ViewController.swift /Users/admin/Developer/Liturgia.git/Liturgia-test1/Liturgia-test1/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/CoreImage.swiftmodule /Users/admin/Developer/Liturgia.git/Liturgia-test1/DerivedData/Liturgia-test1/Build/Intermediates/Liturgia-test1.build/Debug-iphonesimulator/Liturgia-test1.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule : /Users/admin/Developer/Liturgia.git/Liturgia-test1/Liturgia-test1/ViewController.swift /Users/admin/Developer/Liturgia.git/Liturgia-test1/Liturgia-test1/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/CoreImage.swiftmodule /Users/admin/Developer/Liturgia.git/Liturgia-test1/DerivedData/Liturgia-test1/Build/Intermediates/Liturgia-test1.build/Debug-iphonesimulator/Liturgia-test1.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc : /Users/admin/Developer/Liturgia.git/Liturgia-test1/Liturgia-test1/ViewController.swift /Users/admin/Developer/Liturgia.git/Liturgia-test1/Liturgia-test1/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/CoreImage.swiftmodule
D
/Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/QueryBuilder/QueryBuilder+Aggregate.swift.o : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ID.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/MigrateCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/RevertCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/SoftDeletable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/JoinSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/QuerySupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationLog.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/AnyModel.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Children.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/FluentProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaUpdater.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/FluentError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaCreator.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Siblings.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Parent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ModelEvent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Pivot.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Copy.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/CacheEntry.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/FluentProperty.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.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/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.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/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/QueryBuilder/QueryBuilder+Aggregate~partial.swiftmodule : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ID.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/MigrateCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/RevertCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/SoftDeletable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/JoinSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/QuerySupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationLog.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/AnyModel.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Children.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/FluentProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaUpdater.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/FluentError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaCreator.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Siblings.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Parent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ModelEvent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Pivot.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Copy.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/CacheEntry.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/FluentProperty.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.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/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.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/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/QueryBuilder/QueryBuilder+Aggregate~partial.swiftdoc : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ID.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/MigrateCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/RevertCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/SoftDeletable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/JoinSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/QuerySupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationLog.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/AnyModel.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Children.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/FluentProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaUpdater.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/FluentError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaCreator.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Siblings.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Parent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ModelEvent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Pivot.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Copy.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/CacheEntry.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/FluentProperty.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.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/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.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/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/QueryBuilder/QueryBuilder+Aggregate~partial.swiftsourceinfo : /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ID.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Deprecated.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/MigrateCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/RevertCommand.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/SoftDeletable.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationConfig.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/JoinSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/QuerySupporting.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/MigrationLog.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Model.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/AnyModel.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Children.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigration.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/FluentProvider.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaUpdater.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/FluentError.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/SchemaCreator.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Siblings.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/Migrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Migration/AnyMigrations.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Utilities/Exports.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Relations/Parent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/ModelEvent.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Model/Pivot.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/QueryBuilder/QueryBuilder+Copy.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Cache/CacheEntry.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/fluent/Sources/Fluent/Query/FluentProperty.swift /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.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/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.swiftmodule /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOHTTP1.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/MySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentMySQL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIO.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/HTTP.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOTLS.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Async.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Command.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Service.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Console.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Core.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentSQLite.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOPriorityQueue.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Logging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Debugging.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Routing.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/SQLBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/FluentBenchmark.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/COperatingSystem.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Random.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/URLEncodedForm.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Authentication.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Validation.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Crypto.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/App.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Vapor.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Bits.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/WebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/NIOWebSocket.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/DatabaseKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/TemplateKit.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Fluent.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/Multipart.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/panartem/Developer/Study/Microservices-vapor/TILAppAcronyms/.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
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_14_banking-2811878391.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_14_banking-2811878391.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_11_agm-5191616279.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_11_agm-5191616279.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
// Copyright (c) 2013-2014 Sandstorm Development Group, Inc. and contributors // Licensed under the MIT License: // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. module capnproto.Arena; import capnproto.SegmentReader; interface Arena { SegmentReader* tryGetSegment(int id); void checkReadLimit(int numBytes); }
D
// Написано на языке программирования Динрус. /** * Шаблоны для проведения работы над строками при компиляции. * * Macros: * WIKI = Phobos/StdMetastrings * Copyright: * Public Domain */ /* * Authors: * Walter Bright, Digital Mars, www.digitalmars.com * Don Clugston */ module tpl.metastrings; /** * Форматирует константы в текст при компиляции. * Аналогичен stdrus.форматируй(). *Параметры: * A = кортеж из констант,, к-е м.б. строками, * символами или интегральными значениями. * Форматы: * Поддерживаемыми форматами являются %s для строк и %% * для символа %. * Пример: * --- import tpl.metastrings; //import stdrus; проц main() { ткст s = Форматируй!("Arg %s = %s", "foo", 27); пишифнс(s); // "Arg foo = 27" } * --- */ template Форматируй(A...) { static if (A.length == 0) const сим[] Форматируй = ""; else static if (is(typeof(A[0]) : сим[])) const сим[] Форматируй = ТекстФормата!(A[0], A[1..$]); //const сим[] Форматируй = ТекстФормата!(A[0]); else const сим[] Форматируй = ВТкст!(A[0]) ~ Форматируй!(A[1..$]); } template ТекстФормата(ткст F, A...) { static if (F.length == 0) const сим[] ТекстФормата = Форматируй!(A); else static if (F.length == 1) const сим[] ТекстФормата = F[0] ~ Форматируй!(A); else static if (F[0..2] == "%s") const сим[] ТекстФормата = ВТкст!(A[0]) ~ ТекстФормата!(F[2..$],A[1..$]); else static if (F[0..2] == "%%") const сим[] ТекстФормата = "%" ~ ТекстФормата!(F[2..$],A); else static if (F[0] == '%') static assert(0, cast(ткст)"неопознанный формат %" ~ F[1]); else const сим[] ТекстФормата = F[0] ~ ТекстФормата!(F[1..$],A); } /** * Преобразование константного аргумента в ткст. */ template ВТкст(бдол U) { static if (U < 10) const сим[] ВТкст = "" ~ cast(сим)(U + '0'); else const сим[] ВТкст = ВТкст!(U / 10) ~ ВТкст!(U % 10); } /// описано ранее template ВТкст(дол I) { static if (I < 0) const сим[] ВТкст = "-" ~ ВТкст!(cast(бдол)(-I)); else const сим[] ВТкст = ВТкст!(cast(бдол)I); } static assert(ВТкст!(0x100000000) == "4294967296"); /// описано ранее template ВТкст(бцел U) { const сим[] ВТкст = ВТкст!(cast(бдол)U); } /// описано ранее template ВТкст(цел I) { const сим[] ВТкст = ВТкст!(cast(дол)I); } /// описано ранее template ВТкст(бкрат U) { const сим[] ВТкст = ВТкст!(cast(бдол)U); } /// описано ранее template ВТкст(крат I) { const сим[] ВТкст = ВТкст!(cast(дол)I); } /// описано ранее template ВТкст(ббайт U) { const сим[] ВТкст = ВТкст!(cast(бдол)U); } /// описано ранее template ВТкст(байт I) { const сим[] ВТкст = ВТкст!(cast(дол)I); } /// описано ранее template ВТкст(бул B) { const сим[] ВТкст = B ? "true" : "false"; } /// описано ранее template ВТкст(ткст S) { const сим[] ВТкст = S; } /// описано ранее template ВТкст(сим C) { const сим[] ВТкст = "" ~ C; } unittest { ткст s = Форматируй!("hel%slo", "world", -138, 'c', да); assert(s == "helworldlo-138ctrue"); } /******** * Разобрать беззначный целый литерал с начала ткст s. * Возвращает: * .значение = целочисленный литерал в виде ткст, * .остаток = ткст, следующий за целочисленным литералом * В противном случае: * .значение = пусто, * .остаток = s */ template ПарсируйБцел(ткст s) { static if (s.length == 0) { const сим[] значение = ""; const сим[] остаток = ""; } else static if (s[0] >= '0' && s[0] <= '9') { const сим[] значение = s[0] ~ ПарсируйБцел!(s[1..$]).значение; const сим[] остаток = ПарсируйБцел!(s[1..$]).остаток; } else { const сим[] значение = ""; const сим[] остаток = s; } } /******** * Parse integer literal optionally preceded by '-' * from the start of ткст s. * возвращает: * .значение = целочисленный литерал в виде ткст, * .остаток = ткст, следующий за целочисленным литералом * В противном случае: * .значение = пусто, * .остаток = s */ template ПарсируйЦел(ткст s) { static if (s.length == 0) { const сим[] значение = ""; const сим[] остаток = ""; } else static if (s[0] >= '0' && s[0] <= '9') { const сим[] значение = s[0] ~ ПарсируйБцел!(s[1..$]).значение; const сим[] остаток = ПарсируйБцел!(s[1..$]).остаток; } else static if (s.length >= 2 && s[0] == '-' && s[1] >= '0' && s[1] <= '9') { const сим[] значение = s[0..2] ~ ПарсируйБцел!(s[2..$]).значение; const сим[] остаток = ПарсируйБцел!(s[2..$]).остаток; } else { const сим[] значение = ""; const сим[] остаток = s; } } unittest { assert(ПарсируйБцел!("1234abc").значение == "1234"); assert(ПарсируйБцел!("1234abc").остаток == "abc"); assert(ПарсируйЦел!("-1234abc").значение == "-1234"); assert(ПарсируйЦел!("-1234abc").остаток == "abc"); }
D
module hunt.concurrency.TaskPool; import hunt.concurrency.SimpleQueue; import hunt.logging.ConsoleLogger; import hunt.system.Memory; import hunt.util.Common; import core.thread; import core.atomic; import core.sync.condition; import core.sync.mutex; import std.traits; private enum TaskStatus : ubyte { ready, processing, done } /* Atomics code. These forward to core.atomic, but are written like this for two reasons: 1. They used to actually contain ASM code and I don' want to have to change to directly calling core.atomic in a zillion different places. 2. core.atomic has some misc. issues that make my use cases difficult without wrapping it. If I didn't wrap it, casts would be required basically everywhere. */ private void atomicSetUbyte(T)(ref T stuff, T newVal) if (__traits(isIntegral, T) && is(T : ubyte)) { //core.atomic.cas(cast(shared) &stuff, stuff, newVal); atomicStore(*(cast(shared)&stuff), newVal); } private ubyte atomicReadUbyte(T)(ref T val) if (__traits(isIntegral, T) && is(T : ubyte)) { return atomicLoad(*(cast(shared)&val)); } // This gets rid of the need for a lot of annoying casts in other parts of the // code, when enums are involved. private bool atomicCasUbyte(T)(ref T stuff, T testVal, T newVal) if (__traits(isIntegral, T) && is(T : ubyte)) { return core.atomic.cas(cast(shared)&stuff, testVal, newVal); } /** */ class AbstractTask : Runnable { Throwable exception; ubyte taskStatus = TaskStatus.ready; final void run() { atomicSetUbyte(taskStatus, TaskStatus.processing); try { onRun(); } catch (Throwable e) { exception = e; debug warning(e.msg); } atomicSetUbyte(taskStatus, TaskStatus.done); } abstract protected void onRun(); bool done() @property { if (atomicReadUbyte(taskStatus) == TaskStatus.done) { if (exception) { throw exception; } return true; } return false; } } /** */ class Task(alias fun, Args...) : AbstractTask { Args _args; static if (Args.length > 0) { this(Args args) { _args = args; } } else { this() { } } /** The return type of the function called by this `Task`. This can be `void`. */ alias ReturnType = typeof(fun(_args)); static if (!is(ReturnType == void)) { static if (is(typeof(&fun(_args)))) { // Ref return. ReturnType* returnVal; ref ReturnType fixRef(ReturnType* val) { return *val; } } else { ReturnType returnVal; ref ReturnType fixRef(ref ReturnType val) { return val; } } } private static void impl(AbstractTask myTask) { auto myCastedTask = cast(typeof(this)) myTask; static if (is(ReturnType == void)) { fun(myCastedTask._args); } else static if (is(typeof(addressOf(fun(myCastedTask._args))))) { myCastedTask.returnVal = addressOf(fun(myCastedTask._args)); } else { myCastedTask.returnVal = fun(myCastedTask._args); } } protected override void onRun() { impl(this); } } T* addressOf(T)(ref T val) { return &val; } auto makeTask(alias fun, Args...)(Args args) { return new Task!(fun, Args)(args); } auto makeTask(F, Args...)(F delegateOrFp, Args args) if (is(typeof(delegateOrFp(args)))) // && !isSafeTask!F { return new Task!(run, F, Args)(delegateOrFp, args); } // Calls `fpOrDelegate` with `args`. This is an // adapter that makes `Task` work with delegates, function pointers and // functors instead of just aliases. ReturnType!F run(F, Args...)(F fpOrDelegate, ref Args args) { return fpOrDelegate(args); } /* This class serves two purposes: 1. It distinguishes std.parallelism threads from other threads so that the std.parallelism daemon threads can be terminated. 2. It adds a reference to the pool that the thread is a member of, which is also necessary to allow the daemon threads to be properly terminated. */ private final class ParallelismThread : Thread { this(void delegate() dg) { super(dg); taskQueue = new NonBlockingQueue!(AbstractTask)(); } TaskPool pool; NonBlockingQueue!(AbstractTask) taskQueue; } /** */ enum PoolState : ubyte { running, finishing, stopNow } /** */ class TaskPool { private ParallelismThread[] pool; private PoolState status = PoolState.running; // The instanceStartIndex of the next instance that will be created. // __gshared size_t nextInstanceIndex = 1; // The index of the first thread in this instance. // immutable size_t instanceStartIndex; // The index of the current thread. static size_t threadIndex; // The index that the next thread to be initialized in this pool will have. shared size_t nextThreadIndex; Condition workerCondition; Condition waiterCondition; Mutex queueMutex; Mutex waiterMutex; // For waiterCondition bool isSingleTask = false; /** Default constructor that initializes a `TaskPool` with `totalCPUs` - 1 worker threads. The minus 1 is included because the main thread will also be available to do work. Note: On single-core machines, the primitives provided by `TaskPool` operate transparently in single-threaded mode. */ this() { this(totalCPUs - 1); } /** Allows for custom number of worker threads. */ this(size_t nWorkers) { if (nWorkers == 0) nWorkers = 1; queueMutex = new Mutex(this); waiterMutex = new Mutex(); workerCondition = new Condition(queueMutex); waiterCondition = new Condition(waiterMutex); nextThreadIndex = 0; pool = new ParallelismThread[nWorkers]; foreach (ref poolThread; pool) { poolThread = new ParallelismThread(&startWorkLoop); poolThread.pool = this; poolThread.start(); } } bool isDaemon() @property @trusted { return pool[0].isDaemon; } /// Ditto void isDaemon(bool newVal) @property @trusted { foreach (thread; pool) { thread.isDaemon = newVal; } } // This function performs initialization for each thread that affects // thread local storage and therefore must be done from within the // worker thread. It then calls executeWorkLoop(). private void startWorkLoop() { // Initialize thread index. size_t index = atomicOp!("+=")(nextThreadIndex, 1); threadIndex = index - 1; executeWorkLoop(); } // This is the main work loop that worker threads spend their time in // until they terminate. It's also entered by non-worker threads when // finish() is called with the blocking variable set to true. private void executeWorkLoop() { while (atomicReadUbyte(status) != PoolState.stopNow) { AbstractTask task = pool[threadIndex].taskQueue.dequeue(); if (task is null) { if (atomicReadUbyte(status) == PoolState.finishing) { atomicSetUbyte(status, PoolState.stopNow); return; } } else { doJob(task); } } } private void doJob(AbstractTask job) { // assert(job.taskStatus == TaskStatus.processing); // scope (exit) { // // if (!isSingleTask) // { // waiterLock(); // scope (exit) // waiterUnlock(); // notifyWaiters(); // } // } job.run(); } private void waiterLock() { if (!isSingleTask) waiterMutex.lock(); } private void waiterUnlock() { if (!isSingleTask) waiterMutex.unlock(); } private void wait() { if (!isSingleTask) workerCondition.wait(); } private void notify() { if (!isSingleTask) workerCondition.notify(); } private void notifyAll() { if (!isSingleTask) workerCondition.notifyAll(); } private void waitUntilCompletion() { waiterCondition.wait(); } private void notifyWaiters() { if (!isSingleTask) waiterCondition.notifyAll(); } void stop() @trusted { // queueLock(); // scope(exit) queueUnlock(); atomicSetUbyte(status, PoolState.stopNow); notifyAll(); } void finish(bool blocking = false) @trusted { { // queueLock(); // scope(exit) queueUnlock(); atomicCasUbyte(status, PoolState.running, PoolState.finishing); notifyAll(); } if (blocking) { // Use this thread as a worker until everything is finished. // stopWorkLoop(); // taskQueue.wakeup(); executeWorkLoop(); foreach (t; pool) { // Maybe there should be something here to prevent a thread // from calling join() on itself if this function is called // from a worker thread in the same pool, but: // // 1. Using an if statement to skip join() would result in // finish() returning without all tasks being finished. // // 2. If an exception were thrown, it would bubble up to the // Task from which finish() was called and likely be // swallowed. t.join(); } } } void put(int factor, AbstractTask task) { int nWorkers = cast(int)pool.length; if(factor<0) factor = -factor; int i = factor % nWorkers; // tracef("factor=%d, index=%d", factor, i); pool[i].taskQueue.enqueue(task); } }
D
// See ../../../README.md for information about DMD unit tests. /// Test cases for diagnostic messages on Objective-C protocols module objc.protocols.diagnostic_messages; version (D_ObjectiveC): import dmd.globals : Loc; import support : afterEach, beforeEach, compiles, stripDelimited, Diagnostic; @beforeEach initializeFrontend() { import dmd.frontend : initDMD; initDMD(); } @afterEach deinitializeFrontend() { import dmd.frontend : deinitializeDMD; deinitializeDMD(); } @("when a static interface method is not implemented") @("it should report an error") @("the error message should include that the method is a static method") @("the error message should _not_ include the name of the metaclass") unittest { enum filename = "test.d"; enum code = q{ extern (Objective-C) interface Foo { static void foo(); } extern (Objective-C) class Bar : Foo { } }.stripDelimited; enum message = "Error: class test.Bar interface function extern (Objective-C) static void foo() is not implemented"; enum expected = Diagnostic(Loc(filename, 8, 1), message); const diagnostics = compiles(code, filename); assert(diagnostics == [expected], "\n" ~ diagnostics.toString); } @("when a static interface method has a body") @("it should report an error") unittest { enum filename = "test.d"; enum code = q{ extern (Objective-C) interface Foo { static void foo() { } } extern (Objective-C) class Bar : Foo { } }.stripDelimited; enum message = "Error: function test.Foo.foo function body only allowed in final functions in interface Foo"; enum expected = Diagnostic(Loc(filename, 4, 17), message); const diagnostics = compiles(code, filename); assert(diagnostics == [expected], "\n" ~ diagnostics.toString); }
D
/Users/brunodaluz/Desktop/project/Build/Intermediates/project.build/Debug/Command.build/Objects-normal/x86_64/Commands.o : /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Command/Command.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Base/CommandRunnable.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/Output+Autocomplete.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Config/CommandConfig.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Base/CommandOption.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/Console+Run.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/Output+Help.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Group/CommandGroup.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Group/BasicCommandGroup.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Utilities/CommandError.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Config/Commands.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Utilities/Utilities.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Utilities/Exports.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Command/CommandArgument.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/CommandInput.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/CommandContext.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/brunodaluz/Desktop/project/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIOAtomics/include/cpp_magic.h /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIODarwin/include/c_nio_darwin.h /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIOAtomics/include/c-atomics.h /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIOLinux/include/c_nio_linux.h /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio-zlib-support.git-4597058737275259177/module.modulemap /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/brunodaluz/Desktop/project/Build/Intermediates/project.build/Debug/Command.build/Objects-normal/x86_64/Commands~partial.swiftmodule : /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Command/Command.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Base/CommandRunnable.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/Output+Autocomplete.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Config/CommandConfig.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Base/CommandOption.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/Console+Run.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/Output+Help.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Group/CommandGroup.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Group/BasicCommandGroup.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Utilities/CommandError.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Config/Commands.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Utilities/Utilities.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Utilities/Exports.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Command/CommandArgument.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/CommandInput.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/CommandContext.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/brunodaluz/Desktop/project/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIOAtomics/include/cpp_magic.h /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIODarwin/include/c_nio_darwin.h /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIOAtomics/include/c-atomics.h /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIOLinux/include/c_nio_linux.h /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio-zlib-support.git-4597058737275259177/module.modulemap /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/brunodaluz/Desktop/project/Build/Intermediates/project.build/Debug/Command.build/Objects-normal/x86_64/Commands~partial.swiftdoc : /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Command/Command.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Base/CommandRunnable.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/Output+Autocomplete.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Config/CommandConfig.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Base/CommandOption.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/Console+Run.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/Output+Help.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Group/CommandGroup.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Group/BasicCommandGroup.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Utilities/CommandError.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Config/Commands.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Utilities/Utilities.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Utilities/Exports.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Command/CommandArgument.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/CommandInput.swift /Users/brunodaluz/Desktop/project/.build/checkouts/console.git-1708081412620427180/Sources/Command/Run/CommandContext.swift /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/brunodaluz/Desktop/project/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Console.framework/Modules/Console.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Logging.framework/Modules/Logging.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/brunodaluz/Desktop/project/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode-beta.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIOAtomics/include/cpp_magic.h /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIODarwin/include/c_nio_darwin.h /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIOAtomics/include/c-atomics.h /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio.git--325538877768392360/Sources/CNIOLinux/include/c_nio_linux.h /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/brunodaluz/Desktop/project/.build/checkouts/swift-nio-zlib-support.git-4597058737275259177/module.modulemap /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/brunodaluz/Desktop/project/project.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode-beta.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
// Copyright Ferdinand Majerech 2011. // Distributed under the Boost Software License, Version 1.0. // (See accompanying file LICENSE_1_0.txt or copy at // http://www.boost.org/LICENSE_1_0.txt) module library.yaml.queue; ///Queue collection. import core.stdc.stdlib; import core.memory; import std.container; import std.traits; package: /** * Simple queue implemented as a singly linked list with a tail pointer. * * Needed in some D:YAML code that needs a queue-like structure without too * much reallocation that goes with an array. * * This should be replaced once Phobos has a decent queue/linked list. * * Uses manual allocation through malloc/free. * * Also has some features uncommon for a queue, e.g. iteration. * Couldn't bother with implementing a range, as this is used only as * a placeholder until Phobos gets a decent replacement. */ struct Queue(T) { private: ///Linked list node containing one element and pointer to the next node. struct Node { T payload_; Node* next_ = null; } ///Start of the linked list - first element added in time (end of the queue). Node* first_ = null; ///Last element of the linked list - last element added in time (start of the queue). Node* last_ = null; ///Cursor pointing to the current node in iteration. Node* cursor_ = null; ///Length of the queue. size_t length_ = 0; public: @disable void opAssign(ref Queue); @disable bool opEquals(ref Queue); @disable int opCmp(ref Queue); ///Destroy the queue, deallocating all its elements. @safe nothrow ~this() { while(!empty){pop();} cursor_ = last_ = first_ = null; length_ = 0; } ///Start iterating over the queue. void startIteration() pure @safe nothrow { cursor_ = first_; } ///Get next element in the queue. ref const(T) next() pure @safe nothrow in { assert(!empty); assert(cursor_ !is null); } body { const previous = cursor_; cursor_ = cursor_.next_; return previous.payload_; } ///Are we done iterating? bool iterationOver() const pure @safe nothrow { return cursor_ is null; } ///Push new item to the queue. void push(T item) @trusted nothrow { Node* newLast = allocate!Node(item, cast(Node*)null); if(last_ !is null){last_.next_ = newLast;} if(first_ is null){first_ = newLast;} last_ = newLast; ++length_; } ///Insert a new item putting it to specified index in the linked list. void insert(T item, in size_t idx) @trusted nothrow in { assert(idx <= length_); } body { if(idx == 0) { //Add after the first element - so this will be the next to pop. first_ = allocate!Node(item, first_); ++length_; } else if(idx == length_) { //Adding before last added element, so we can just push. push(item); } else { //Get the element before one we're inserting. Node* current = first_; foreach(i; 1 .. idx) { current = current.next_; } //Insert a new node after current, and put current.next_ behind it. current.next_ = allocate!Node(item, current.next_); ++length_; } } ///Return the next element in the queue and remove it. T pop() @trusted nothrow in { assert(!empty, "Trying to pop an element from an empty queue"); } body { T result = peek(); Node* temp = first_; first_ = first_.next_; free(temp); if(--length_ == 0) { assert(first_ is null); last_ = null; } return result; } ///Return the next element in the queue. ref inout(T) peek() inout pure @safe nothrow in { assert(!empty, "Trying to peek at an element in an empty queue"); } body { return first_.payload_; } ///Is the queue empty? @property bool empty() const pure @safe nothrow { return first_ is null; } ///Return number of elements in the queue. @property size_t length() const pure @safe nothrow { return length_; } } private: ///Allocate a struct, passing arguments to its constructor or default initializer. T* allocate(T, Args...)(Args args) @system nothrow { T* ptr = cast(T*)malloc(T.sizeof); *ptr = T(args); //The struct might contain references to GC-allocated memory, so tell the GC about it. static if(hasIndirections!T){GC.addRange(cast(void*)ptr, T.sizeof);} return ptr; } ///Deallocate struct pointed at by specified pointer. void free(T)(T* ptr) @system nothrow { //GC doesn't need to care about any references in this struct anymore. static if(hasIndirections!T){GC.removeRange(cast(void*)ptr);} static if(hasMember!(T, "__dtor")){clear(*ptr);} std.c.stdlib.free(ptr); } unittest { auto queue = Queue!int(); assert(queue.empty); foreach(i; 0 .. 65) { queue.push(5); assert(queue.pop() == 5); assert(queue.empty); assert(queue.length_ == 0); } int[] array = [1, -1, 2, -2, 3, -3, 4, -4, 5, -5]; foreach(i; array) { queue.push(i); } array = 42 ~ array[0 .. 3] ~ 42 ~ array[3 .. $] ~ 42; queue.insert(42, 3); queue.insert(42, 0); queue.insert(42, queue.length); int[] array2; while(!queue.empty) { array2 ~= queue.pop(); } assert(array == array2); }
D
module android.java.android.util.Base64InputStream_d_interface; import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers; static import arsd.jni; import import0 = android.java.java.io.InputStream_d_interface; import import1 = android.java.java.lang.Class_d_interface; final class Base64InputStream : IJavaObject { static immutable string[] _d_canCastTo = [ ]; @Import this(import0.InputStream, int); @Import bool markSupported(); @Import void mark(int); @Import void reset(); @Import void close(); @Import int available(); @Import long skip(long); @Import int read(); @Import int read(byte, int, int[]); @Import int read(byte[]); @Import import1.Class getClass(); @Import int hashCode(); @Import bool equals(IJavaObject); @Import @JavaName("toString") string toString_(); override string toString() { return arsd.jni.javaObjectToString(this); } @Import void notify(); @Import void notifyAll(); @Import void wait(long); @Import void wait(long, int); @Import void wait(); mixin IJavaObjectImplementation!(false); public static immutable string _javaParameterString = "Landroid/util/Base64InputStream;"; }
D
module ppl.templates.ParamTypeMatcherRegex; /// /// Match a template function using regex. /// eg. /// call func ( int[2] ) /// template func<A>( A [2] ) /// regex pattern = (.*)\[2\] => this matches with the capture being "int" /// /// The captures are converted to types and used as the template parameters. /// import ppl.internal; import std.regex; final class ParamTypeMatcherRegex { private: Module module_; Call call; Function func; string[] proxies; Type[string] hash; StringBuffer buf, buf2; Lexer lexer; bool doChat; public: this(Module module_) { this.module_ = module_; this.lexer = new Lexer(module_); this.buf = new StringBuffer; this.buf2 = new StringBuffer; } bool getEstimatedParams(Call call, Function f, ref Type[] estimatedParams) { assert(estimatedParams.length==0); //doChat = call.name=="foo0" && module_.canonicalName=="template_functions"; this.call = call; this.func = f; this.proxies = f.blueprint.paramNames; this.hash.clear(); chat("====> ParamTypeMatcherRegex for %s(%s) => template %s<%s>(%s)", f.name, call.argTypes.toString, f.name, f.blueprint.paramNames.toString(), f.blueprint.getParamTokens().getTokensForAllParams().map!(it=>it.toSimpleString)); auto paramTokens = f.blueprint.getParamTokens(); foreach(i, callType; call.argTypes) { matchArg(paramTokens, i.as!int, callType); } if(hash.length==f.blueprint.numTemplateParams) { chat("Hash = %s", hash); estimatedParams = new Type[proxies.length]; for(auto n=0; n<estimatedParams.length; n++) { auto t = hash.get(proxies[n], TYPE_VOID); estimatedParams[n] = t; } bool result = checkEstimate(f, estimatedParams); chat("Match: %s<%s> --> %s", f.name, estimatedParams.toString(), result ? "Pass" : "Fail"); return result; } chat("No match"); return false; } private: void chat(A...)(lazy string fmt, lazy A args) { if(doChat) { dd(format(fmt, args)); } } void addToHash(string proxy, Type type) { import common : containsKey; if(hash.containsKey(proxy)) { Type old = hash[proxy]; if(areCompatible(old, type)) { hash[proxy] = getBestFit(old, type); } else { hash[proxy] = type; } } else { hash[proxy] = type; } } bool checkEstimate(Function f, Type[] estimatedParams) { Type[] paramTypes = f.blueprint.getFuncParamTypes(module_, call, estimatedParams); Type[] argTypes = call.argTypes; chat(" argTypes = %s", argTypes); chat(" paramTypes = %s", paramTypes); foreach(i; 0..paramTypes.length) { if(paramTypes[i].isAlias) { // assume this will work } else if(argTypes[i].canImplicitlyCastTo(paramTypes[i])) { // this one is good } else { return false; } } return true; } Type getType(string str) { auto tokens = lexer.tokenise!true(str); chat("\t\ttype tokens = %s", tokens.toSimpleString()); auto nav = new Tokens(null, tokens); return module_.typeParser.parseForTemplate(nav, call); } /// /// Check template parameter tokens against call type. /// void matchArg(ParamTokens paramTokens, int argIndex, Type callType) { chat("Arg %s", argIndex); if(!paramTokens.paramContainsProxies(argIndex)) { chat("No proxies"); return; } Token[] tokens = paramTokens.getTokensForParam(argIndex); string typeString = "%s".format(callType); auto rx = paramTokens.getRegexForParam(argIndex); string[] proxyList = paramTokens.getProxiesForParam(argIndex); chat("tokens : %s", tokens.toSimpleString); chat("proxies: %s", proxyList); chat("regex : %s", paramTokens.getRegexStringForParam(argIndex)); chat("type : %s", typeString); chat("--------------------------"); auto m = matchAll(typeString, rx); if(m.empty) { chat("\t\tNo match"); } else { chat("\t\tMatch: %s", m.front[0]); int i = 0; foreach(r; m.front) { if(i>0) { auto type = getType(r); chat("\t\t[%s] %s = %s (type = %s)", i-1, proxyList[i-1], r, type); addToHash(proxyList[i-1], type); } i++; } } } }
D
/Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/.build/debug/Core.build/Byte/BytesSlice+PatternMatching.swift.o : /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Array.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Bool+String.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Box.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Collection+Safe.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Dispatch.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/DispatchTime+Utilities.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Equatable.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Extractable.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/FileProtocol.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Lock.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/PercentEncoding.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Portal.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Result.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/RFC1123.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Semaphore.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Sequence.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/StaticDataBuffer.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Strand.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/String+CaseInsensitiveCompare.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/String.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/UnsignedInteger.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Byte+Random.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Byte.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/ByteAliases.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Bytes+Base64.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Bytes.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/BytesConvertible.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/BytesSlice+PatternMatching.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/Dispatch.swiftmodule /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/.build/debug/CLibreSSL.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/.build/debug/libc.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/.build/debug/Core.build/BytesSlice+PatternMatching~partial.swiftmodule : /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Array.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Bool+String.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Box.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Collection+Safe.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Dispatch.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/DispatchTime+Utilities.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Equatable.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Extractable.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/FileProtocol.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Lock.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/PercentEncoding.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Portal.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Result.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/RFC1123.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Semaphore.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Sequence.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/StaticDataBuffer.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Strand.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/String+CaseInsensitiveCompare.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/String.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/UnsignedInteger.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Byte+Random.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Byte.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/ByteAliases.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Bytes+Base64.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Bytes.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/BytesConvertible.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/BytesSlice+PatternMatching.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/Dispatch.swiftmodule /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/.build/debug/CLibreSSL.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/.build/debug/libc.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/.build/debug/Core.build/BytesSlice+PatternMatching~partial.swiftdoc : /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Array.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Bool+String.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Box.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Collection+Safe.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Dispatch.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/DispatchTime+Utilities.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Equatable.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Extractable.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/FileProtocol.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Lock.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/PercentEncoding.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Portal.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Result.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/RFC1123.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Semaphore.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Sequence.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/StaticDataBuffer.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Strand.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/String+CaseInsensitiveCompare.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/String.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/UnsignedInteger.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Byte+Random.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Byte.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/ByteAliases.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Bytes+Base64.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/Bytes.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/BytesConvertible.swift /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/Packages/Core-1.0.0/Sources/Core/Byte/BytesSlice+PatternMatching.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/Dispatch.swiftmodule /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/.build/debug/CLibreSSL.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/tipaul/Sites/PlatypusAgency/XebiaFormation/bot/.build/debug/libc.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule
D
instance Mod_7801_TPL_GorNaBar_OM (Npc_Default) { //-------- primary data -------- name = "Gor Na Bar"; Npctype = NpcType_MAIN; guild = GIL_out; level = 17; voice = 0; id = 7801; //-------- abilities -------- attribute[ATR_STRENGTH] = 130; attribute[ATR_DEXTERITY] = 65; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; attribute[ATR_HITPOINTS_MAX] = 244; attribute[ATR_HITPOINTS] = 244; //-------- visuals -------- // animations Mdl_SetVisual (self,"HUMANS.MDS"); Mdl_ApplyOverlayMds (self,"Humans_Mage.mds"); // body mesh ,bdytex,skin,head mesh ,headtex,teethtex,ruestung Mdl_SetVisualBody (self,"hum_body_Naked0", 1, 2,"Hum_Head_FatBald", 16 , 1, TPL_ARMOR_M); Mdl_SetModelFatness(self,0); fight_tactic = FAI_HUMAN_STRONG; senses = SENSE_SEE|SENSE_HEAR|SENSE_SMELL; //-------- Talente -------- Npc_SetTalentSkill (self, NPC_TALENT_2H,1); B_CreateAmbientInv (self); CreateInvItems (self, ItMi_ZeichenDerBruderschaft, 1); //-------- inventory -------- EquipItem (self, ItMw_Zweihaender1); //-------------Daily Routine------------- daily_routine = Rtn_start_7801; }; FUNC VOID Rtn_start_7801 () { TA_Guard_Passage (06,00,18,00,"OM_032"); TA_Guard_Passage (18,00,06,00,"OM_032"); };
D
/// Generate by tools module net.padlocksoftware.padlock.license.LicenseIO; import java.lang.exceptions; public class LicenseIO { public this() { implMissing(); } }
D
instance DIA_LUTERO_EXIT(C_INFO) { npc = vlk_404_lutero; nr = 999; condition = dia_lutero_exit_condition; information = dia_lutero_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_lutero_exit_condition() { return TRUE; }; func void dia_lutero_exit_info() { AI_StopProcessInfos(self); if((LUTERO_KRALLEN == LOG_RUNNING) && (MIS_FAJETH_KILL_SNAPPER == LOG_SUCCESS) && (Npc_KnowsInfo(other,dia_bilgot_knowsleadsnapper) == FALSE)) { LUTERO_KRALLEN = LOG_OBSOLETE; b_checklog(); }; }; instance DIA_LUTERO_HALLO(C_INFO) { npc = vlk_404_lutero; nr = 5; condition = dia_lutero_hallo_condition; information = dia_lutero_hallo_info; permanent = FALSE; important = TRUE; }; func int dia_lutero_hallo_condition() { if(((other.guild != GIL_NONE) || (other.guild != GIL_NOV)) && Npc_IsInState(self,zs_talk)) { return TRUE; }; }; func void dia_lutero_hallo_info() { AI_Output(self,other,"DIA_Lutero_Hallo_13_00"); //Меня зовут Лютеро. Я торгую практически всем. AI_Output(other,self,"DIA_Lutero_Hallo_15_01"); //Какие товары ты предлагаешь? AI_Output(self,other,"DIA_Lutero_Hallo_13_02"); //Ну, в основном редкие и необычные вещи. Я готов удовлетворить даже самые причудливые прихоти моих клиентов. Log_CreateTopic(TOPIC_CITYTRADER,LOG_NOTE); b_logentry(TOPIC_CITYTRADER,"Лютеро торгует необычными и редкими предметами в верхнем квартале."); }; instance DIA_LUTERO_GETLOST(C_INFO) { npc = vlk_404_lutero; nr = 5; condition = dia_lutero_getlost_condition; information = dia_lutero_getlost_info; permanent = TRUE; important = TRUE; }; func int dia_lutero_getlost_condition() { if(((other.guild == GIL_NONE) || (other.guild == GIL_NOV)) && Npc_IsInState(self,zs_talk)) { return TRUE; }; }; func void dia_lutero_getlost_info() { if(other.guild == GIL_NONE) { AI_Output(self,other,"DIA_Lutero_GetLost_13_00"); //Проваливай отсюда! Тебе что, нечего делать? Тогда найди себе работу - только где-нибудь еще! } else { AI_Output(self,other,"DIA_Lutero_GetLost_13_01"); //Что тебе нужно, послушник? Разве ты не должен быть в монастыре? }; AI_StopProcessInfos(self); }; instance DIA_LUTERO_SNAPPER(C_INFO) { npc = vlk_404_lutero; nr = 5; condition = dia_lutero_snapper_condition; information = dia_lutero_snapper_info; permanent = FALSE; description = "Ты ищешь что-нибудь конкретное?"; }; func int dia_lutero_snapper_condition() { if((other.guild != GIL_NONE) && (other.guild != GIL_NOV)) { return TRUE; }; }; func void dia_lutero_snapper_info() { AI_Output(other,self,"DIA_Lutero_Snapper_15_00"); //Ты ищешь что-нибудь конкретное? AI_Output(self,other,"DIA_Lutero_Snapper_13_01"); //Да, для одного из моих клиентов мне нужны когти снеппера. AI_Output(self,other,"DIA_Lutero_Snapper_13_02"); //Но не просто обычные когти. Это должно быть что-то особенное - когти очень большого зверя, убившего много людей, например. AI_Output(other,self,"DIA_Lutero_Snapper_15_03"); //Где мне найти снепперов? AI_Output(self,other,"DIA_Lutero_Snapper_13_04"); //На этом острове они встречаются повсеместно, но большинство из них живет в Долине Рудников. AI_Output(other,self,"DIA_Lutero_Snapper_15_05"); //А что я с этого получу? if(other.guild == GIL_KDF) { AI_Output(self,other,"DIA_Lutero_Hello_13_06"); //Я могу дать тебе рунный камень. } else { AI_Output(self,other,"DIA_Lutero_Hello_13_07"); //Я могу дать тебе кольцо неуязвимости. }; AI_Output(other,self,"DIA_Lutero_Hello_15_08"); //Я посмотрю, что можно сделать. Log_CreateTopic(TOPIC_LUTERO,LOG_MISSION); Log_SetTopicStatus(TOPIC_LUTERO,LOG_RUNNING); b_logentry(TOPIC_LUTERO,"Торговец Лютеро ищет когти необычайно сильного снеппера."); LUTERO_KRALLEN = LOG_RUNNING; }; instance DIA_LUTERO_KRALLE(C_INFO) { npc = vlk_404_lutero; nr = 5; condition = dia_lutero_kralle_condition; information = dia_lutero_kralle_info; permanent = FALSE; description = "У меня есть особенные когти снеппера для тебя."; }; func int dia_lutero_kralle_condition() { if((Npc_HasItems(other,itat_clawleader) >= 1) && Npc_KnowsInfo(other,dia_lutero_snapper)) { return TRUE; }; }; func void dia_lutero_kralle_info() { AI_Output(other,self,"DIA_Lutero_Kralle_15_00"); //У меня есть особенные когти снеппера для тебя. LUTERO_KRALLEN = LOG_SUCCESS; b_giveplayerxp(XP_AMBIENT); AI_Output(self,other,"DIA_Lutero_Kralle_13_01"); //Мой клиент будет счастлив услышать это. b_giveinvitems(other,self,itat_clawleader,1); if(other.guild == GIL_KDF) { AI_Output(self,other,"DIA_Lutero_Hello_13_02"); //У меня нет этого рунного камня с собой. Но я знаю, где его можно найти. AI_Output(self,other,"DIA_Lutero_Hello_13_03"); //По пути от города к таверне, ты пойдешь под мостом. AI_Output(self,other,"DIA_Lutero_Hello_13_04"); //Там, в пещере, мой друг спрятал в сундуке рунный камень. Вот ключ. b_giveinvitems(self,other,itke_rune_mis,1); } else { AI_Output(self,other,"DIA_Lutero_Hello_13_05"); //Вот кольцо, как я и обещал тебе. b_giveinvitems(self,other,itri_prot_total_01,1); }; }; instance DIA_LUTERO_TRADE(C_INFO) { npc = vlk_404_lutero; nr = 5; condition = dia_lutero_trade_condition; information = dia_lutero_trade_info; permanent = TRUE; description = "Покажи мне свои товары."; trade = TRUE; }; func int dia_lutero_trade_condition() { if(Npc_KnowsInfo(other,dia_lutero_hallo)) { return TRUE; }; }; func void dia_lutero_trade_info() { b_givetradeinv(self); AI_Output(other,self,"DIA_Lutero_Trade_15_00"); //Покажи мне свои товары. }; instance DIA_LUTERO_PICKPOCKET(C_INFO) { npc = vlk_404_lutero; nr = 900; condition = dia_lutero_pickpocket_condition; information = dia_lutero_pickpocket_info; permanent = TRUE; description = PICKPOCKET_60; }; func int dia_lutero_pickpocket_condition() { return c_beklauen(58,65); }; func void dia_lutero_pickpocket_info() { Info_ClearChoices(dia_lutero_pickpocket); Info_AddChoice(dia_lutero_pickpocket,DIALOG_BACK,dia_lutero_pickpocket_back); Info_AddChoice(dia_lutero_pickpocket,DIALOG_PICKPOCKET,dia_lutero_pickpocket_doit); }; func void dia_lutero_pickpocket_doit() { b_beklauen(); Info_ClearChoices(dia_lutero_pickpocket); }; func void dia_lutero_pickpocket_back() { Info_ClearChoices(dia_lutero_pickpocket); };
D
import std.stdio : writeln, File; import std.json : JSONValue, JSON_TYPE; string peekBit(string s) { import std.string : indexOf; auto index = s.indexOf(' '); if (index < 0) return s; return s[0..index]; } string popBit(ref string s) { import std.string : indexOf; auto index = s.indexOf(' '); if (index < 0) { string ans = s; s = null; return ans; } else { string ans = s[0..index]; s = s[index+1..$]; return ans; } } struct gedLine { int depth; string tag; string id; string xlink; string content; this(string line) { import std.conv : to; string d = line.popBit; if (d.length == 1) depth = d[0] - '0'; else depth = to!int(d, 10); tag = line.popBit; if (tag[0] == '@' && tag[$-1] == '@') { id = tag[1..$-1]; tag = line.popBit; } string link = line.peekBit; if (link.length > 0 && link[0] == '@' && link[$-1] == '@') { xlink = link[1..$-1]; line.popBit; } content = line; } string toString() { string ans = "<"~tag; if (xlink) ans ~= " xlink:href=\"#"~xlink~"\""; if (id) ans ~= " id=\""~id~"\""; return ans ~ ">" ~ content; } } struct gedNode { gedLine line; gedNode[] children; this(gedLine line) { this.line = line; } @property int depth() { return line.depth; } @property string tag() { return line.tag; } @property string id() { return line.id; } @property string xlink() { return line.xlink; } @property ref string content() { return line.content; } } struct bufFile { File readFrom; string[] buffer; this(ref File f) { this.readFrom = f; } this(string fname) { this.readFrom = File(fname); } string peek() { if (buffer.length > 0) { return buffer[$-1]; } else if (readFrom.eof) { return null; } else { buffer ~= readFrom.readln(); return buffer[$-1]; } } string pop() { if (buffer.length > 0) { string ans = buffer[$-1]; buffer.length = buffer.length - 1; return ans; } else if (readFrom.eof) return null; else { return readFrom.readln(); } } void push(string line) { buffer ~= line; } } JSONValue jsonld(gedNode n) in { assert(n.depth == 0 || n.id == null, "assumption: no nested element has an ID"); assert(n.xlink == null || n.content == null, "assumption: no element has both an xlink and content"); assert(n.depth > 0 || n.xlink == null, "assumption: only nested elements have xlinks"); } body { import std.array : replace; JSONValue[string] ans; if (n.depth == 0) { ans["@type"] = JSONValue(n.tag); if (n.id) ans["@id"] = JSONValue("_:"~n.id); if (n.content) ans["$txt"] = JSONValue(n.content.replace("«tab»", "\t")); // HACK for LegacyFT } else { if (n.xlink && !n.children) return JSONValue("_:"~n.xlink); if (n.content && !n.children) return JSONValue(n.content.replace("«tab»", "\t")); // HACK for LegacyFT if (n.xlink) ans["$lnk"] = JSONValue("_:"~n.xlink); if (n.content) ans["$txt"] = JSONValue(n.content.replace("«tab»", "\t")); // HACK for LegacyFT } foreach(child; n.children) { if (child.tag in ans) { if (ans[child.tag].type == JSON_TYPE.ARRAY) { } else { ans[child.tag] = JSONValue([ans[child.tag], jsonld(child)]); } } else { ans[child.tag] = jsonld(child); } } return JSONValue(ans); } string canonicalString(JSONValue obj, string leader="", bool newline=false) { import std.algorithm : sort; if (obj.type == JSON_TYPE.OBJECT) { string[] keys = obj.object.keys; string ans; if (newline && keys.length > 0) ans ~= "\n" ~ leader; ans ~= "{ "; sort(keys); foreach(i,k; keys) { if (i > 0) ans ~= ", "; ans ~= JSONValue(k).toString; ans ~= ": "; ans ~= canonicalString(obj[k], leader~" ", true); ans ~= "\n"~leader; } ans ~= "}"; return ans; } else if (obj.type == JSON_TYPE.ARRAY) { JSONValue[] raw = obj.array; string ans; if (newline && raw.length > 0) ans ~= "\n" ~ leader; ans ~= "[ "; string[] vals = new string[raw.length]; foreach(i,v; raw) vals[i] = canonicalString(v, leader~" ", false); vals.sort(); foreach(i,v; vals) { if (i > 0) ans ~= ", "; ans ~= v; ans ~= "\n"~leader; } ans ~= "]"; return ans; } else { return obj.toString; } } void main(string[] args) { import std.string : strip; import std.container.slist : SList; import std.array : Appender; if (args.length == 1) { writeln("USAGE: ",args[0]," somefile.ged > somefile.jsonld"); } string BOM = "\uFEFF"; foreach(arg; args[1..$]) { Appender!(gedNode[]) level0; SList!gedNode stack; gedLine gl;// = "0 gedcom55"; auto s = bufFile(arg); string line; // step 1: build up the data, handling CONT and CONC tags as we go while((line = s.pop) != null) { if (line[0..BOM.length] == BOM) line = line[BOM.length..$]; gl = gedLine(line.strip()); if (gl.tag == "CONT") { stack.front.content ~= "\n"~gl.content; } else if (gl.tag == "CONC") { stack.front.content ~= gl.content; } else { while (!stack.empty && stack.front.depth >= gl.depth) { auto old = stack.front; stack.removeFront; if (stack.empty) { level0 ~= old; } else { stack.front.children ~= old; } } stack.insertFront(gedNode(gl)); } } while (!stack.empty) { auto old = stack.front; stack.removeFront; if (stack.empty) { level0 ~= old; } else { stack.front.children ~= old; } } gedNode[] master = level0.data; // step 2: convert top-level to JSONValue object, one at a time int cnt = 0; foreach(gl0; master) { writeln(canonicalString(jsonld(gl0),"",false)); } // TODO: handle «/?[uib]», «/?sup» } }
D
/** * Compiler implementation of the * $(LINK2 http://www.dlang.org, D programming language). * * Copyright: Copyright (C) 2009-2019 by The D Language Foundation, All Rights Reserved * Authors: $(LINK2 http://www.digitalmars.com, Walter Bright) * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/backend/machobj.d, backend/machobj.d) */ module dmd.backend.machobj; version (SCPP) version = COMPILE; version (MARS) version = COMPILE; version (COMPILE) { import core.stdc.ctype; import core.stdc.stdint; import core.stdc.stdio; import core.stdc.stdlib; import core.stdc.string; import dmd.backend.cc; import dmd.backend.cdef; import dmd.backend.code; import dmd.backend.code_x86; import dmd.backend.mem; import dmd.backend.aarray; import dmd.backend.dlist; import dmd.backend.el; import dmd.backend.global; import dmd.backend.obj; import dmd.backend.oper; import dmd.backend.outbuf; import dmd.backend.ty; import dmd.backend.type; extern (C++): nothrow: alias _compare_fp_t = extern(C) nothrow int function(const void*, const void*); extern(C) void qsort(void* base, size_t nmemb, size_t size, _compare_fp_t compar); static if (MACHOBJ) { import dmd.backend.dwarf; import dmd.backend.mach; alias nlist = dmd.backend.mach.nlist; // avoid conflict with dmd.backend.dlist.nlist /**************************************** * Sort the relocation entry buffer. * put before nothrow because qsort was not marked nothrow until version 2.086 */ extern (C) { private int rel_fp(scope const(void*) e1, scope const(void*) e2) { Relocation *r1 = cast(Relocation *)e1; Relocation *r2 = cast(Relocation *)e2; return cast(int)(r1.offset - r2.offset); } } void mach_relsort(Outbuffer *buf) { qsort(buf.buf, buf.size() / Relocation.sizeof, Relocation.sizeof, &rel_fp); } // for x86_64 enum { X86_64_RELOC_UNSIGNED = 0, X86_64_RELOC_SIGNED = 1, X86_64_RELOC_BRANCH = 2, X86_64_RELOC_GOT_LOAD = 3, X86_64_RELOC_GOT = 4, X86_64_RELOC_SUBTRACTOR = 5, X86_64_RELOC_SIGNED_1 = 6, X86_64_RELOC_SIGNED_2 = 7, X86_64_RELOC_SIGNED_4 = 8, X86_64_RELOC_TLV = 9, // for thread local variables } private __gshared Outbuffer *fobjbuf; enum DEST_LEN = (IDMAX + IDOHD + 1); char *obj_mangle2(Symbol *s,char *dest); extern __gshared int except_table_seg; // segment of __gcc_except_tab extern __gshared int eh_frame_seg; // segment of __eh_frame /****************************************** */ __gshared Symbol *GOTsym; // global offset table reference __gshared Symbol *tlv_bootstrap_sym; Symbol *Obj_getGOTsym() { if (!GOTsym) { GOTsym = symbol_name("_GLOBAL_OFFSET_TABLE_",SCglobal,tspvoid); } return GOTsym; } void Obj_refGOTsym() { assert(0); } // The object file is built is several separate pieces // String Table - String table for all other names private __gshared Outbuffer *symtab_strings; // Section Headers __gshared Outbuffer *SECbuf; // Buffer to build section table in section* SecHdrTab() { return cast(section *)SECbuf.buf; } section_64* SecHdrTab64() { return cast(section_64 *)SECbuf.buf; } __gshared { // The relocation for text and data seems to get lost. // Try matching the order gcc output them // This means defining the sections and then removing them if they are // not used. private int section_cnt; // Number of sections in table enum SEC_TAB_INIT = 16; // Initial number of sections in buffer enum SEC_TAB_INC = 4; // Number of sections to increment buffer by enum SYM_TAB_INIT = 100; // Initial number of symbol entries in buffer enum SYM_TAB_INC = 50; // Number of symbols to increment buffer by /* Three symbol tables, because the different types of symbols * are grouped into 3 different types (and a 4th for comdef's). */ private Outbuffer *local_symbuf; private Outbuffer *public_symbuf; private Outbuffer *extern_symbuf; } private void reset_symbols(Outbuffer *buf) { Symbol **p = cast(Symbol **)buf.buf; const size_t n = buf.size() / (Symbol *).sizeof; for (size_t i = 0; i < n; ++i) symbol_reset(p[i]); } __gshared { struct Comdef { Symbol *sym; targ_size_t size; int count; } private Outbuffer *comdef_symbuf; // Comdef's are stored here private Outbuffer *indirectsymbuf1; // indirect symbol table of Symbol*'s private int jumpTableSeg; // segment index for __jump_table private Outbuffer *indirectsymbuf2; // indirect symbol table of Symbol*'s private int pointersSeg; // segment index for __pointers /* If an Obj_external_def() happens, set this to the string index, * to be added last to the symbol table. * Obviously, there can be only one. */ private IDXSTR extdef; } static if (0) { enum { STI_FILE = 1, // Where file symbol table entry is STI_TEXT = 2, STI_DATA = 3, STI_BSS = 4, STI_GCC = 5, // Where "gcc2_compiled" symbol is */ STI_RODAT = 6, // Symbol for readonly data STI_COM = 8, } } // Each compiler segment is a section // Predefined compiler segments CODE,DATA,CDATA,UDATA map to indexes // into SegData[] // New compiler segments are added to end. /****************************** * Returns !=0 if this segment is a code segment. */ int seg_data_isCode(const ref seg_data sd) { // The codegen assumes that code.data references are indirect, // but when CDATA is treated as code reftoident will emit a direct // relocation. if (&sd == SegData[CDATA]) return false; if (I64) { //printf("SDshtidx = %d, x%x\n", SDshtidx, SecHdrTab64[sd.SDshtidx].flags); return strcmp(SecHdrTab64[sd.SDshtidx].segname.ptr, "__TEXT") == 0; } else { //printf("SDshtidx = %d, x%x\n", SDshtidx, SecHdrTab[sd.SDshtidx].flags); return strcmp(SecHdrTab[sd.SDshtidx].segname.ptr, "__TEXT") == 0; } } __gshared { seg_data **SegData; int seg_count; int seg_max; /** * Section index for the __thread_vars/__tls_data section. * * This section is used for the variable symbol for TLS variables. */ int seg_tlsseg = UNKNOWN; /** * Section index for the __thread_bss section. * * This section is used for the data symbol ($tlv$init) for TLS variables * without an initializer. */ int seg_tlsseg_bss = UNKNOWN; /** * Section index for the __thread_data section. * * This section is used for the data symbol ($tlv$init) for TLS variables * with an initializer. */ int seg_tlsseg_data = UNKNOWN; } /******************************************************* * Because the Mach-O relocations cannot be computed until after * all the segments are written out, and we need more information * than the Mach-O relocations provide, make our own relocation * type. Later, translate to Mach-O relocation structure. */ enum { RELaddr = 0, // straight address RELrel = 1, // relative to location to be fixed up } struct Relocation { // Relocations are attached to the struct seg_data they refer to targ_size_t offset; // location in segment to be fixed up Symbol *funcsym; // function in which offset lies, if any Symbol *targsym; // if !=null, then location is to be fixed up // to address of this symbol uint targseg; // if !=0, then location is to be fixed up // to address of start of this segment ubyte rtype; // RELxxxx ubyte flag; // 1: emit SUBTRACTOR/UNSIGNED pair short val; // 0, -1, -2, -4 } /******************************* * Output a string into a string table * Input: * strtab = string table for entry * str = string to add * * Returns index into the specified string table. */ IDXSTR Obj_addstr(Outbuffer *strtab, const(char)* str) { //printf("Obj_addstr(strtab = %p str = '%s')\n",strtab,str); IDXSTR idx = cast(IDXSTR)strtab.size(); // remember starting offset strtab.writeString(str); //printf("\tidx %d, new size %d\n",idx,strtab.size()); return idx; } /******************************* * Find a string in a string table * Input: * strtab = string table for entry * str = string to find * * Returns index into the specified string table or 0. */ private IDXSTR elf_findstr(Outbuffer *strtab, const(char)* str, const(char)* suffix) { const(char)* ent = cast(char *)strtab.buf+1; const(char)* pend = ent+strtab.size() - 1; const(char)* s = str; const(char)* sx = suffix; size_t len = strlen(str); if (suffix) len += strlen(suffix); while(ent < pend) { if(*ent == 0) // end of table entry { if(*s == 0 && !sx) // end of string - found a match { return cast(IDXSTR)(ent - cast(const(char)*)strtab.buf - len); } else // table entry too short { s = str; // back to beginning of string sx = suffix; ent++; // start of next table entry } } else if (*s == 0 && sx && *sx == *ent) { // matched first string s = sx+1; // switch to suffix ent++; sx = null; } else // continue comparing { if (*ent == *s) { // Have a match going ent++; s++; } else // no match { while(*ent != 0) // skip to end of entry ent++; ent++; // start of next table entry s = str; // back to beginning of string sx = suffix; } } } return 0; // never found match } /******************************* * Output a mangled string into the symbol string table * Input: * str = string to add * * Returns index into the table. */ private IDXSTR elf_addmangled(Symbol *s) { //printf("elf_addmangled(%s)\n", s.Sident); char[DEST_LEN] dest = void; char *destr; const(char)* name; IDXSTR namidx; namidx = cast(IDXSTR)symtab_strings.size(); destr = obj_mangle2(s, dest.ptr); name = destr; if (CPP && name[0] == '_' && name[1] == '_') { if (strncmp(name,"__ct__",6) == 0) name += 4; static if (0) { switch(name[2]) { case 'c': if (strncmp(name,"__ct__",6) == 0) name += 4; break; case 'd': if (strcmp(name,"__dl__FvP") == 0) name = "__builtin_delete"; break; case 'v': //if (strcmp(name,"__vec_delete__FvPiUIPi") == 0) //name = "__builtin_vec_del"; //else //if (strcmp(name,"__vn__FPUI") == 0) //name = "__builtin_vec_new"; break; case 'n': if (strcmp(name,"__nw__FPUI") == 0) name = "__builtin_new"; break; default: break; } } } else if (tyfunc(s.ty()) && s.Sfunc && s.Sfunc.Fredirect) name = s.Sfunc.Fredirect; size_t len = strlen(name); symtab_strings.reserve(cast(uint)(len+1)); strcpy(cast(char *)symtab_strings.p,name); symtab_strings.setsize(cast(uint)(namidx+len+1)); if (destr != dest.ptr) // if we resized result mem_free(destr); //dbg_printf("\telf_addmagled symtab_strings %s namidx %d len %d size %d\n",name, namidx,len,symtab_strings.size()); return namidx; } /************************** * Ouput read only data and generate a symbol for it. * */ Symbol * Obj_sym_cdata(tym_t ty,char *p,int len) { Symbol *s; static if (0) { if (I64) { alignOffset(DATA, tysize(ty)); s = symboldata(Offset(DATA), ty); SegData[DATA].SDbuf.write(p,len); s.Sseg = DATA; s.Soffset = Offset(DATA); // Remember its offset into DATA section Offset(DATA) += len; s.Sfl = /*(config.flags3 & CFG3pic) ? FLgotoff :*/ FLextern; return s; } } //printf("Obj_sym_cdata(ty = %x, p = %x, len = %d, Offset(CDATA) = %x)\n", ty, p, len, Offset(CDATA)); alignOffset(CDATA, tysize(ty)); s = symboldata(Offset(CDATA), ty); s.Sseg = CDATA; //Obj_pubdef(CDATA, s, Offset(CDATA)); Obj_bytes(CDATA, Offset(CDATA), len, p); s.Sfl = /*(config.flags3 & CFG3pic) ? FLgotoff :*/ FLextern; return s; } /************************** * Ouput read only data for data * */ int Obj_data_readonly(char *p, int len, int *pseg) { int oldoff = cast(int)Offset(CDATA); SegData[CDATA].SDbuf.reserve(len); SegData[CDATA].SDbuf.writen(p,len); Offset(CDATA) += len; *pseg = CDATA; return oldoff; } int Obj_data_readonly(char *p, int len) { int pseg; return Obj_data_readonly(p, len, &pseg); } /***************************** * Get segment for readonly string literals. * The linker will pool strings in this section. * Params: * sz = number of bytes per character (1, 2, or 4) * Returns: * segment index */ int Obj_string_literal_segment(uint sz) { if (sz == 1) { return Obj_getsegment("__cstring", "__TEXT", 0, S_CSTRING_LITERALS); } return CDATA; // no special handling for other wstring, dstring; use __const } /****************************** * Perform initialization that applies to all .o output files. * Called before any other obj_xxx routines */ Obj Obj_init(Outbuffer *objbuf, const(char)* filename, const(char)* csegname) { //printf("Obj_init()\n"); Obj obj = cast(Obj)mem_calloc(__traits(classInstanceSize, Obj)); cseg = CODE; fobjbuf = objbuf; seg_tlsseg = UNKNOWN; seg_tlsseg_bss = UNKNOWN; seg_tlsseg_data = UNKNOWN; GOTsym = null; tlv_bootstrap_sym = null; // Initialize buffers if (symtab_strings) symtab_strings.setsize(1); else { symtab_strings = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(symtab_strings); symtab_strings.enlarge(1024); symtab_strings.reserve(2048); symtab_strings.writeByte(0); } if (!local_symbuf) { local_symbuf = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(local_symbuf); local_symbuf.enlarge((Symbol *).sizeof * SYM_TAB_INIT); } local_symbuf.setsize(0); if (public_symbuf) { reset_symbols(public_symbuf); public_symbuf.setsize(0); } else { public_symbuf = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(public_symbuf); public_symbuf.enlarge((Symbol *).sizeof * SYM_TAB_INIT); } if (extern_symbuf) { reset_symbols(extern_symbuf); extern_symbuf.setsize(0); } else { extern_symbuf = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(extern_symbuf); extern_symbuf.enlarge((Symbol *).sizeof * SYM_TAB_INIT); } if (!comdef_symbuf) { comdef_symbuf = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(comdef_symbuf); comdef_symbuf.enlarge((Symbol *).sizeof * SYM_TAB_INIT); } comdef_symbuf.setsize(0); extdef = 0; if (indirectsymbuf1) indirectsymbuf1.setsize(0); jumpTableSeg = 0; if (indirectsymbuf2) indirectsymbuf2.setsize(0); pointersSeg = 0; // Initialize segments for CODE, DATA, UDATA and CDATA size_t struct_section_size = I64 ? section_64.sizeof : section.sizeof; if (SECbuf) { SECbuf.setsize(cast(uint)struct_section_size); } else { SECbuf = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(SECbuf); SECbuf.enlarge(cast(uint)(SYM_TAB_INC * struct_section_size)); SECbuf.reserve(cast(uint)(SEC_TAB_INIT * struct_section_size)); // Ignore the first section - section numbers start at 1 SECbuf.writezeros(cast(uint)struct_section_size); } section_cnt = 1; seg_count = 0; int align_ = I64 ? 4 : 2; // align to 16 bytes for floating point Obj_getsegment("__text", "__TEXT", 2, S_REGULAR | S_ATTR_PURE_INSTRUCTIONS | S_ATTR_SOME_INSTRUCTIONS); Obj_getsegment("__data", "__DATA", align_, S_REGULAR); // DATA Obj_getsegment("__const", "__TEXT", 2, S_REGULAR); // CDATA Obj_getsegment("__bss", "__DATA", 4, S_ZEROFILL); // UDATA Obj_getsegment("__const", "__DATA", align_, S_REGULAR); // CDATAREL dwarf_initfile(filename); return obj; } /************************** * Initialize the start of object output for this particular .o file. * * Input: * filename: Name of source file * csegname: User specified default code segment name */ void Obj_initfile(const(char)* filename, const(char)* csegname, const(char)* modname) { //dbg_printf("Obj_initfile(filename = %s, modname = %s)\n",filename,modname); version (SCPP) { if (csegname && *csegname && strcmp(csegname,".text")) { // Define new section and make it the default for cseg segment // NOTE: cseg is initialized to CODE IDXSEC newsecidx; Elf32_Shdr *newtextsec; IDXSYM newsymidx; assert(!I64); // fix later SegData[cseg].SDshtidx = newsecidx = elf_newsection(csegname,0,SHT_PROGDEF,SHF_ALLOC|SHF_EXECINSTR); newtextsec = &SecHdrTab[newsecidx]; newtextsec.sh_addralign = 4; SegData[cseg].SDsymidx = elf_addsym(0, 0, 0, STT_SECTION, STB_LOCAL, newsecidx); } } if (config.fulltypes) dwarf_initmodule(filename, modname); } /************************************ * Patch pseg/offset by adding in the vmaddr difference from * pseg/offset to start of seg. */ int32_t *patchAddr(int seg, targ_size_t offset) { return cast(int32_t *)(fobjbuf.buf + SecHdrTab[SegData[seg].SDshtidx].offset + offset); } int32_t *patchAddr64(int seg, targ_size_t offset) { return cast(int32_t *)(fobjbuf.buf + SecHdrTab64[SegData[seg].SDshtidx].offset + offset); } void patch(seg_data *pseg, targ_size_t offset, int seg, targ_size_t value) { //printf("patch(offset = x%04x, seg = %d, value = x%llx)\n", (uint)offset, seg, value); if (I64) { int32_t *p = cast(int32_t *)(fobjbuf.buf + SecHdrTab64[pseg.SDshtidx].offset + offset); static if (0) { printf("\taddr1 = x%llx\n\taddr2 = x%llx\n\t*p = x%llx\n\tdelta = x%llx\n", SecHdrTab64[pseg.SDshtidx].addr, SecHdrTab64[SegData[seg].SDshtidx].addr, *p, SecHdrTab64[SegData[seg].SDshtidx].addr - (SecHdrTab64[pseg.SDshtidx].addr + offset)); } *p += SecHdrTab64[SegData[seg].SDshtidx].addr - (SecHdrTab64[pseg.SDshtidx].addr - value); } else { int32_t *p = cast(int32_t *)(fobjbuf.buf + SecHdrTab[pseg.SDshtidx].offset + offset); static if (0) { printf("\taddr1 = x%x\n\taddr2 = x%x\n\t*p = x%x\n\tdelta = x%x\n", SecHdrTab[pseg.SDshtidx].addr, SecHdrTab[SegData[seg].SDshtidx].addr, *p, SecHdrTab[SegData[seg].SDshtidx].addr - (SecHdrTab[pseg.SDshtidx].addr + offset)); } *p += SecHdrTab[SegData[seg].SDshtidx].addr - (SecHdrTab[pseg.SDshtidx].addr - value); } } /*************************** * Number symbols so they are * ordered as locals, public and then extern/comdef */ void mach_numbersyms() { //printf("mach_numbersyms()\n"); int n = 0; int dim; dim = cast(int)(local_symbuf.size() / (Symbol *).sizeof); for (int i = 0; i < dim; i++) { Symbol *s = (cast(Symbol **)local_symbuf.buf)[i]; s.Sxtrnnum = n; n++; } dim = cast(int)(public_symbuf.size() / (Symbol *).sizeof); for (int i = 0; i < dim; i++) { Symbol *s = (cast(Symbol **)public_symbuf.buf)[i]; s.Sxtrnnum = n; n++; } dim = cast(int)(extern_symbuf.size() / (Symbol *).sizeof); for (int i = 0; i < dim; i++) { Symbol *s = (cast(Symbol **)extern_symbuf.buf)[i]; s.Sxtrnnum = n; n++; } dim = cast(int)(comdef_symbuf.size() / Comdef.sizeof); for (int i = 0; i < dim; i++) { Comdef *c = (cast(Comdef *)comdef_symbuf.buf) + i; c.sym.Sxtrnnum = n; n++; } } /*************************** * Fixup and terminate object file. */ void Obj_termfile() { //dbg_printf("Obj_termfile\n"); if (configv.addlinenumbers) { dwarf_termmodule(); } } /********************************* * Terminate package. */ void Obj_term(const(char)* objfilename) { //printf("Obj_term()\n"); version (SCPP) { if (!errcnt) { outfixlist(); // backpatches } } else { outfixlist(); // backpatches } if (configv.addlinenumbers) { dwarf_termfile(); } version (SCPP) { if (errcnt) return; } /* Write out the object file in the following order: * header * commands * segment_command * { sections } * symtab_command * dysymtab_command * { segment contents } * { relocations } * symbol table * string table * indirect symbol table */ uint foffset; uint headersize; uint sizeofcmds; // Write out the bytes for the header if (I64) { mach_header_64 header = void; header.magic = MH_MAGIC_64; header.cputype = CPU_TYPE_X86_64; header.cpusubtype = CPU_SUBTYPE_I386_ALL; header.filetype = MH_OBJECT; header.ncmds = 3; header.sizeofcmds = cast(uint)(segment_command_64.sizeof + (section_cnt - 1) * section_64.sizeof + symtab_command.sizeof + dysymtab_command.sizeof); header.flags = MH_SUBSECTIONS_VIA_SYMBOLS; header.reserved = 0; fobjbuf.write(&header, header.sizeof); foffset = header.sizeof; // start after header headersize = header.sizeof; sizeofcmds = header.sizeofcmds; // Write the actual data later fobjbuf.writezeros(header.sizeofcmds); foffset += header.sizeofcmds; } else { mach_header header = void; header.magic = MH_MAGIC; header.cputype = CPU_TYPE_I386; header.cpusubtype = CPU_SUBTYPE_I386_ALL; header.filetype = MH_OBJECT; header.ncmds = 3; header.sizeofcmds = cast(uint)(segment_command.sizeof + (section_cnt - 1) * section.sizeof + symtab_command.sizeof + dysymtab_command.sizeof); header.flags = MH_SUBSECTIONS_VIA_SYMBOLS; fobjbuf.write(&header, header.sizeof); foffset = header.sizeof; // start after header headersize = header.sizeof; sizeofcmds = header.sizeofcmds; // Write the actual data later fobjbuf.writezeros(header.sizeofcmds); foffset += header.sizeofcmds; } segment_command segment_cmd = void; segment_command_64 segment_cmd64 = void; symtab_command symtab_cmd = void; dysymtab_command dysymtab_cmd = void; memset(&segment_cmd, 0, segment_cmd.sizeof); memset(&segment_cmd64, 0, segment_cmd64.sizeof); memset(&symtab_cmd, 0, symtab_cmd.sizeof); memset(&dysymtab_cmd, 0, dysymtab_cmd.sizeof); if (I64) { segment_cmd64.cmd = LC_SEGMENT_64; segment_cmd64.cmdsize = cast(uint)(segment_cmd64.sizeof + (section_cnt - 1) * section_64.sizeof); segment_cmd64.nsects = section_cnt - 1; segment_cmd64.maxprot = 7; segment_cmd64.initprot = 7; } else { segment_cmd.cmd = LC_SEGMENT; segment_cmd.cmdsize = cast(uint)(segment_cmd.sizeof + (section_cnt - 1) * section.sizeof); segment_cmd.nsects = section_cnt - 1; segment_cmd.maxprot = 7; segment_cmd.initprot = 7; } symtab_cmd.cmd = LC_SYMTAB; symtab_cmd.cmdsize = symtab_cmd.sizeof; dysymtab_cmd.cmd = LC_DYSYMTAB; dysymtab_cmd.cmdsize = dysymtab_cmd.sizeof; /* If a __pointers section was emitted, need to set the .reserved1 * field to the symbol index in the indirect symbol table of the * start of the __pointers symbols. */ if (pointersSeg) { seg_data *pseg = SegData[pointersSeg]; if (I64) { section_64 *psechdr = &SecHdrTab64[pseg.SDshtidx]; // corresponding section psechdr.reserved1 = cast(uint)(indirectsymbuf1 ? indirectsymbuf1.size() / (Symbol *).sizeof : 0); } else { section *psechdr = &SecHdrTab[pseg.SDshtidx]; // corresponding section psechdr.reserved1 = cast(uint)(indirectsymbuf1 ? indirectsymbuf1.size() / (Symbol *).sizeof : 0); } } // Walk through sections determining size and file offsets // // First output individual section data associate with program // code and data // foffset = elf_align(I64 ? 8 : 4, foffset); if (I64) segment_cmd64.fileoff = foffset; else segment_cmd.fileoff = foffset; uint vmaddr = 0; //printf("Setup offsets and sizes foffset %d\n\tsection_cnt %d, seg_count %d\n",foffset,section_cnt,seg_count); // Zero filled segments go at the end, so go through segments twice for (int i = 0; i < 2; i++) { for (int seg = 1; seg <= seg_count; seg++) { seg_data *pseg = SegData[seg]; if (I64) { section_64 *psechdr = &SecHdrTab64[pseg.SDshtidx]; // corresponding section // Do zero-fill the second time through this loop if (i ^ (psechdr.flags == S_ZEROFILL)) continue; int align_ = 1 << psechdr._align; while (psechdr._align > 0 && align_ < pseg.SDalignment) { psechdr._align += 1; align_ <<= 1; } foffset = elf_align(align_, foffset); vmaddr = (vmaddr + align_ - 1) & ~(align_ - 1); if (psechdr.flags == S_ZEROFILL) { psechdr.offset = 0; psechdr.size = pseg.SDoffset; // accumulated size } else { psechdr.offset = foffset; psechdr.size = 0; //printf("\tsection name %s,", psechdr.sectname); if (pseg.SDbuf && pseg.SDbuf.size()) { //printf("\tsize %d\n", pseg.SDbuf.size()); psechdr.size = pseg.SDbuf.size(); fobjbuf.write(pseg.SDbuf.buf, cast(uint)psechdr.size); foffset += psechdr.size; } } psechdr.addr = vmaddr; vmaddr += psechdr.size; //printf(" assigned offset %d, size %d\n", foffset, psechdr.sh_size); } else { section *psechdr = &SecHdrTab[pseg.SDshtidx]; // corresponding section // Do zero-fill the second time through this loop if (i ^ (psechdr.flags == S_ZEROFILL)) continue; int align_ = 1 << psechdr._align; while (psechdr._align > 0 && align_ < pseg.SDalignment) { psechdr._align += 1; align_ <<= 1; } foffset = elf_align(align_, foffset); vmaddr = (vmaddr + align_ - 1) & ~(align_ - 1); if (psechdr.flags == S_ZEROFILL) { psechdr.offset = 0; psechdr.size = cast(uint)pseg.SDoffset; // accumulated size } else { psechdr.offset = foffset; psechdr.size = 0; //printf("\tsection name %s,", psechdr.sectname); if (pseg.SDbuf && pseg.SDbuf.size()) { //printf("\tsize %d\n", pseg.SDbuf.size()); psechdr.size = cast(uint)pseg.SDbuf.size(); fobjbuf.write(pseg.SDbuf.buf, psechdr.size); foffset += psechdr.size; } } psechdr.addr = vmaddr; vmaddr += psechdr.size; //printf(" assigned offset %d, size %d\n", foffset, psechdr.sh_size); } } } if (I64) { segment_cmd64.vmsize = vmaddr; segment_cmd64.filesize = foffset - segment_cmd64.fileoff; /* Bugzilla 5331: Apparently having the filesize field greater than the vmsize field is an * error, and is happening sometimes. */ if (segment_cmd64.filesize > vmaddr) segment_cmd64.vmsize = segment_cmd64.filesize; } else { segment_cmd.vmsize = vmaddr; segment_cmd.filesize = foffset - segment_cmd.fileoff; /* Bugzilla 5331: Apparently having the filesize field greater than the vmsize field is an * error, and is happening sometimes. */ if (segment_cmd.filesize > vmaddr) segment_cmd.vmsize = segment_cmd.filesize; } // Put out relocation data mach_numbersyms(); for (int seg = 1; seg <= seg_count; seg++) { seg_data *pseg = SegData[seg]; section *psechdr = null; section_64 *psechdr64 = null; if (I64) { psechdr64 = &SecHdrTab64[pseg.SDshtidx]; // corresponding section //printf("psechdr.addr = x%llx\n", psechdr64.addr); } else { psechdr = &SecHdrTab[pseg.SDshtidx]; // corresponding section //printf("psechdr.addr = x%x\n", psechdr.addr); } foffset = elf_align(I64 ? 8 : 4, foffset); uint reloff = foffset; uint nreloc = 0; if (pseg.SDrel) { Relocation *r = cast(Relocation *)pseg.SDrel.buf; Relocation *rend = cast(Relocation *)(pseg.SDrel.buf + pseg.SDrel.size()); for (; r != rend; r++) { Symbol *s = r.targsym; const(char)* rs = r.rtype == RELaddr ? "addr" : "rel"; //printf("%d:x%04llx : tseg %d tsym %s REL%s\n", seg, r.offset, r.targseg, s ? s.Sident.ptr : "0", rs); relocation_info rel; scattered_relocation_info srel; if (s) { //printf("Relocation\n"); //symbol_print(s); if (r.flag == 1) { if (I64) { rel.r_type = X86_64_RELOC_SUBTRACTOR; rel.r_address = cast(int)r.offset; rel.r_symbolnum = r.funcsym.Sxtrnnum; rel.r_pcrel = 0; rel.r_length = 3; rel.r_extern = 1; fobjbuf.write(&rel, rel.sizeof); foffset += (rel).sizeof; ++nreloc; rel.r_type = X86_64_RELOC_UNSIGNED; rel.r_symbolnum = s.Sxtrnnum; fobjbuf.write(&rel, rel.sizeof); foffset += rel.sizeof; ++nreloc; // patch with fdesym.Soffset - offset int64_t *p = cast(int64_t *)patchAddr64(seg, r.offset); *p += r.funcsym.Soffset - r.offset; continue; } else { // address = segment + offset int targ_address = cast(int)(SecHdrTab[SegData[s.Sseg].SDshtidx].addr + s.Soffset); int fixup_address = cast(int)(psechdr.addr + r.offset); srel.r_scattered = 1; srel.r_type = GENERIC_RELOC_LOCAL_SECTDIFF; srel.r_address = cast(uint)r.offset; srel.r_pcrel = 0; srel.r_length = 2; srel.r_value = targ_address; fobjbuf.write((&srel)[0 .. 1]); foffset += srel.sizeof; ++nreloc; srel.r_type = GENERIC_RELOC_PAIR; srel.r_address = 0; srel.r_value = fixup_address; fobjbuf.write(&srel, srel.sizeof); foffset += srel.sizeof; ++nreloc; int32_t *p = patchAddr(seg, r.offset); *p += targ_address - fixup_address; continue; } } else if (pseg.isCode()) { if (I64) { rel.r_type = (r.rtype == RELrel) ? X86_64_RELOC_BRANCH : X86_64_RELOC_SIGNED; if (r.val == -1) rel.r_type = X86_64_RELOC_SIGNED_1; else if (r.val == -2) rel.r_type = X86_64_RELOC_SIGNED_2; if (r.val == -4) rel.r_type = X86_64_RELOC_SIGNED_4; if (s.Sclass == SCextern || s.Sclass == SCcomdef || s.Sclass == SCcomdat || s.Sclass == SCglobal) { if (I64 && (s.ty() & mTYLINK) == mTYthread && r.rtype == RELaddr) rel.r_type = X86_64_RELOC_TLV; else if ((s.Sfl == FLfunc || s.Sfl == FLextern || s.Sclass == SCglobal || s.Sclass == SCcomdat || s.Sclass == SCcomdef) && r.rtype == RELaddr) { rel.r_type = X86_64_RELOC_GOT_LOAD; if (seg == eh_frame_seg || seg == except_table_seg) rel.r_type = X86_64_RELOC_GOT; } rel.r_address = cast(int)r.offset; rel.r_symbolnum = s.Sxtrnnum; rel.r_pcrel = 1; rel.r_length = 2; rel.r_extern = 1; fobjbuf.write(&rel, rel.sizeof); foffset += rel.sizeof; nreloc++; continue; } else { rel.r_address = cast(int)r.offset; rel.r_symbolnum = s.Sseg; rel.r_pcrel = 1; rel.r_length = 2; rel.r_extern = 0; fobjbuf.write(&rel, rel.sizeof); foffset += rel.sizeof; nreloc++; int32_t *p = patchAddr64(seg, r.offset); // Absolute address; add in addr of start of targ seg //printf("*p = x%x, .addr = x%x, Soffset = x%x\n", *p, cast(int)SecHdrTab64[SegData[s.Sseg].SDshtidx].addr, cast(int)s.Soffset); //printf("pseg = x%x, r.offset = x%x\n", (int)SecHdrTab64[pseg.SDshtidx].addr, cast(int)r.offset); *p += SecHdrTab64[SegData[s.Sseg].SDshtidx].addr; *p += s.Soffset; *p -= SecHdrTab64[pseg.SDshtidx].addr + r.offset + 4; //patch(pseg, r.offset, s.Sseg, s.Soffset); continue; } } } else { if (s.Sclass == SCextern || s.Sclass == SCcomdef || s.Sclass == SCcomdat) { rel.r_address = cast(int)r.offset; rel.r_symbolnum = s.Sxtrnnum; rel.r_pcrel = 0; rel.r_length = 2; rel.r_extern = 1; rel.r_type = GENERIC_RELOC_VANILLA; if (I64) { rel.r_type = X86_64_RELOC_UNSIGNED; rel.r_length = 3; } fobjbuf.write(&rel, rel.sizeof); foffset += rel.sizeof; nreloc++; continue; } else { rel.r_address = cast(int)r.offset; rel.r_symbolnum = s.Sseg; rel.r_pcrel = 0; rel.r_length = 2; rel.r_extern = 0; rel.r_type = GENERIC_RELOC_VANILLA; if (I64) { rel.r_type = X86_64_RELOC_UNSIGNED; rel.r_length = 3; if (0 && s.Sseg != seg) rel.r_type = X86_64_RELOC_BRANCH; } fobjbuf.write(&rel, rel.sizeof); foffset += rel.sizeof; nreloc++; if (I64) { rel.r_length = 3; int32_t *p = patchAddr64(seg, r.offset); // Absolute address; add in addr of start of targ seg *p += SecHdrTab64[SegData[s.Sseg].SDshtidx].addr + s.Soffset; //patch(pseg, r.offset, s.Sseg, s.Soffset); } else { int32_t *p = patchAddr(seg, r.offset); // Absolute address; add in addr of start of targ seg *p += SecHdrTab[SegData[s.Sseg].SDshtidx].addr + s.Soffset; //patch(pseg, r.offset, s.Sseg, s.Soffset); } continue; } } } else if (r.rtype == RELaddr && pseg.isCode()) { srel.r_scattered = 1; srel.r_address = cast(uint)r.offset; srel.r_length = 2; if (I64) { int32_t *p64 = patchAddr64(seg, r.offset); srel.r_type = X86_64_RELOC_GOT; srel.r_value = cast(int)(SecHdrTab64[SegData[r.targseg].SDshtidx].addr + *p64); //printf("SECTDIFF: x%llx + x%llx = x%x\n", SecHdrTab[SegData[r.targseg].SDshtidx].addr, *p, srel.r_value); } else { int32_t *p = patchAddr(seg, r.offset); srel.r_type = GENERIC_RELOC_LOCAL_SECTDIFF; srel.r_value = SecHdrTab[SegData[r.targseg].SDshtidx].addr + *p; //printf("SECTDIFF: x%x + x%x = x%x\n", SecHdrTab[SegData[r.targseg].SDshtidx].addr, *p, srel.r_value); } srel.r_pcrel = 0; fobjbuf.write(&srel, srel.sizeof); foffset += srel.sizeof; nreloc++; srel.r_address = 0; srel.r_length = 2; if (I64) { srel.r_type = X86_64_RELOC_SIGNED; srel.r_value = cast(int)(SecHdrTab64[pseg.SDshtidx].addr + r.funcsym.Slocalgotoffset + _tysize[TYnptr]); } else { srel.r_type = GENERIC_RELOC_PAIR; if (r.funcsym) srel.r_value = cast(int)(SecHdrTab[pseg.SDshtidx].addr + r.funcsym.Slocalgotoffset + _tysize[TYnptr]); else srel.r_value = cast(int)(psechdr.addr + r.offset); //printf("srel.r_value = x%x, psechdr.addr = x%x, r.offset = x%x\n", //cast(int)srel.r_value, cast(int)psechdr.addr, cast(int)r.offset); } srel.r_pcrel = 0; fobjbuf.write(&srel, srel.sizeof); foffset += srel.sizeof; nreloc++; // Recalc due to possible realloc of fobjbuf.buf if (I64) { int32_t *p64 = patchAddr64(seg, r.offset); //printf("address = x%x, p64 = %p *p64 = x%llx\n", r.offset, p64, *p64); *p64 += SecHdrTab64[SegData[r.targseg].SDshtidx].addr - (SecHdrTab64[pseg.SDshtidx].addr + r.funcsym.Slocalgotoffset + _tysize[TYnptr]); } else { int32_t *p = patchAddr(seg, r.offset); //printf("address = x%x, p = %p *p = x%x\n", r.offset, p, *p); if (r.funcsym) *p += SecHdrTab[SegData[r.targseg].SDshtidx].addr - (SecHdrTab[pseg.SDshtidx].addr + r.funcsym.Slocalgotoffset + _tysize[TYnptr]); else // targ_address - fixup_address *p += SecHdrTab[SegData[r.targseg].SDshtidx].addr - (psechdr.addr + r.offset); } continue; } else { rel.r_address = cast(int)r.offset; rel.r_symbolnum = r.targseg; rel.r_pcrel = (r.rtype == RELaddr) ? 0 : 1; rel.r_length = 2; rel.r_extern = 0; rel.r_type = GENERIC_RELOC_VANILLA; if (I64) { rel.r_type = X86_64_RELOC_UNSIGNED; rel.r_length = 3; if (0 && r.targseg != seg) rel.r_type = X86_64_RELOC_BRANCH; } fobjbuf.write(&rel, rel.sizeof); foffset += rel.sizeof; nreloc++; if (I64) { int32_t *p64 = patchAddr64(seg, r.offset); //int64_t before = *p64; if (rel.r_pcrel) // Relative address patch(pseg, r.offset, r.targseg, 0); else { // Absolute address; add in addr of start of targ seg //printf("*p = x%x, targ.addr = x%x\n", *p64, cast(int)SecHdrTab64[SegData[r.targseg].SDshtidx].addr); //printf("pseg = x%x, r.offset = x%x\n", cast(int)SecHdrTab64[pseg.SDshtidx].addr, cast(int)r.offset); *p64 += SecHdrTab64[SegData[r.targseg].SDshtidx].addr; //*p64 -= SecHdrTab64[pseg.SDshtidx].addr; } //printf("%d:x%04x before = x%04llx, after = x%04llx pcrel = %d\n", seg, r.offset, before, *p64, rel.r_pcrel); } else { int32_t *p = patchAddr(seg, r.offset); //int32_t before = *p; if (rel.r_pcrel) // Relative address patch(pseg, r.offset, r.targseg, 0); else // Absolute address; add in addr of start of targ seg *p += SecHdrTab[SegData[r.targseg].SDshtidx].addr; //printf("%d:x%04x before = x%04x, after = x%04x pcrel = %d\n", seg, r.offset, before, *p, rel.r_pcrel); } continue; } } } if (nreloc) { if (I64) { psechdr64.reloff = reloff; psechdr64.nreloc = nreloc; } else { psechdr.reloff = reloff; psechdr.nreloc = nreloc; } } } // Put out symbol table foffset = elf_align(I64 ? 8 : 4, foffset); symtab_cmd.symoff = foffset; dysymtab_cmd.ilocalsym = 0; dysymtab_cmd.nlocalsym = cast(uint)(local_symbuf.size() / (Symbol *).sizeof); dysymtab_cmd.iextdefsym = dysymtab_cmd.nlocalsym; dysymtab_cmd.nextdefsym = cast(uint)(public_symbuf.size() / (Symbol *).sizeof); dysymtab_cmd.iundefsym = dysymtab_cmd.iextdefsym + dysymtab_cmd.nextdefsym; int nexterns = cast(int)(extern_symbuf.size() / (Symbol *).sizeof); int ncomdefs = cast(int)(comdef_symbuf.size() / Comdef.sizeof); dysymtab_cmd.nundefsym = nexterns + ncomdefs; symtab_cmd.nsyms = dysymtab_cmd.nlocalsym + dysymtab_cmd.nextdefsym + dysymtab_cmd.nundefsym; fobjbuf.reserve(cast(uint)(symtab_cmd.nsyms * (I64 ? nlist_64.sizeof : nlist.sizeof))); for (int i = 0; i < dysymtab_cmd.nlocalsym; i++) { Symbol *s = (cast(Symbol **)local_symbuf.buf)[i]; nlist_64 sym = void; sym.n_strx = elf_addmangled(s); sym.n_type = N_SECT; sym.n_desc = 0; if (s.Sclass == SCcomdat) sym.n_desc = N_WEAK_DEF; sym.n_sect = cast(ubyte)s.Sseg; if (I64) { sym.n_value = s.Soffset + SecHdrTab64[SegData[s.Sseg].SDshtidx].addr; fobjbuf.write(&sym, sym.sizeof); } else { nlist sym32 = void; sym32.n_strx = sym.n_strx; sym32.n_value = cast(uint)(s.Soffset + SecHdrTab[SegData[s.Sseg].SDshtidx].addr); sym32.n_type = sym.n_type; sym32.n_desc = sym.n_desc; sym32.n_sect = sym.n_sect; fobjbuf.write(&sym32, sym32.sizeof); } } for (int i = 0; i < dysymtab_cmd.nextdefsym; i++) { Symbol *s = (cast(Symbol **)public_symbuf.buf)[i]; //printf("Writing public symbol %d:x%x %s\n", s.Sseg, s.Soffset, s.Sident); nlist_64 sym = void; sym.n_strx = elf_addmangled(s); sym.n_type = N_EXT | N_SECT; if (s.Sflags & SFLhidden) sym.n_type |= N_PEXT; // private extern sym.n_desc = 0; if (s.Sclass == SCcomdat) sym.n_desc = N_WEAK_DEF; sym.n_sect = cast(ubyte)s.Sseg; if (I64) { sym.n_value = s.Soffset + SecHdrTab64[SegData[s.Sseg].SDshtidx].addr; fobjbuf.write(&sym, sym.sizeof); } else { nlist sym32 = void; sym32.n_strx = sym.n_strx; sym32.n_value = cast(uint)(s.Soffset + SecHdrTab[SegData[s.Sseg].SDshtidx].addr); sym32.n_type = sym.n_type; sym32.n_desc = sym.n_desc; sym32.n_sect = sym.n_sect; fobjbuf.write(&sym32, sym32.sizeof); } } for (int i = 0; i < nexterns; i++) { Symbol *s = (cast(Symbol **)extern_symbuf.buf)[i]; nlist_64 sym = void; sym.n_strx = elf_addmangled(s); sym.n_value = s.Soffset; sym.n_type = N_EXT | N_UNDF; sym.n_desc = tyfunc(s.ty()) ? REFERENCE_FLAG_UNDEFINED_LAZY : REFERENCE_FLAG_UNDEFINED_NON_LAZY; sym.n_sect = 0; if (I64) fobjbuf.write(&sym, sym.sizeof); else { nlist sym32 = void; sym32.n_strx = sym.n_strx; sym32.n_value = cast(uint)sym.n_value; sym32.n_type = sym.n_type; sym32.n_desc = sym.n_desc; sym32.n_sect = sym.n_sect; fobjbuf.write(&sym32, sym32.sizeof); } } for (int i = 0; i < ncomdefs; i++) { Comdef *c = (cast(Comdef *)comdef_symbuf.buf) + i; nlist_64 sym = void; sym.n_strx = elf_addmangled(c.sym); sym.n_value = c.size * c.count; sym.n_type = N_EXT | N_UNDF; int align_; if (c.size < 2) align_ = 0; // align_ is expressed as power of 2 else if (c.size < 4) align_ = 1; else if (c.size < 8) align_ = 2; else if (c.size < 16) align_ = 3; else align_ = 4; sym.n_desc = cast(ushort)(align_ << 8); sym.n_sect = 0; if (I64) fobjbuf.write(&sym, sym.sizeof); else { nlist sym32 = void; sym32.n_strx = sym.n_strx; sym32.n_value = cast(uint)sym.n_value; sym32.n_type = sym.n_type; sym32.n_desc = sym.n_desc; sym32.n_sect = sym.n_sect; fobjbuf.write(&sym32, sym32.sizeof); } } if (extdef) { nlist_64 sym = void; sym.n_strx = extdef; sym.n_value = 0; sym.n_type = N_EXT | N_UNDF; sym.n_desc = 0; sym.n_sect = 0; if (I64) fobjbuf.write(&sym, sym.sizeof); else { nlist sym32 = void; sym32.n_strx = sym.n_strx; sym32.n_value = cast(uint)sym.n_value; sym32.n_type = sym.n_type; sym32.n_desc = sym.n_desc; sym32.n_sect = sym.n_sect; fobjbuf.write(&sym32, sym32.sizeof); } symtab_cmd.nsyms++; } foffset += symtab_cmd.nsyms * (I64 ? nlist_64.sizeof : nlist.sizeof); // Put out string table foffset = elf_align(I64 ? 8 : 4, foffset); symtab_cmd.stroff = foffset; symtab_cmd.strsize = cast(uint)symtab_strings.size(); fobjbuf.write(symtab_strings.buf, symtab_cmd.strsize); foffset += symtab_cmd.strsize; // Put out indirectsym table, which is in two parts foffset = elf_align(I64 ? 8 : 4, foffset); dysymtab_cmd.indirectsymoff = foffset; if (indirectsymbuf1) { dysymtab_cmd.nindirectsyms += indirectsymbuf1.size() / (Symbol *).sizeof; for (int i = 0; i < dysymtab_cmd.nindirectsyms; i++) { Symbol *s = (cast(Symbol **)indirectsymbuf1.buf)[i]; fobjbuf.write32(s.Sxtrnnum); } } if (indirectsymbuf2) { int n = cast(int)(indirectsymbuf2.size() / (Symbol *).sizeof); dysymtab_cmd.nindirectsyms += n; for (int i = 0; i < n; i++) { Symbol *s = (cast(Symbol **)indirectsymbuf2.buf)[i]; fobjbuf.write32(s.Sxtrnnum); } } foffset += dysymtab_cmd.nindirectsyms * 4; /* The correct offsets are now determined, so * rewind and fix the header. */ fobjbuf.position(headersize, sizeofcmds); if (I64) { fobjbuf.write(&segment_cmd64, segment_cmd64.sizeof); fobjbuf.write(SECbuf.buf + section_64.sizeof, cast(uint)((section_cnt - 1) * section_64.sizeof)); } else { fobjbuf.write(&segment_cmd, segment_cmd.sizeof); fobjbuf.write(SECbuf.buf + section.sizeof, cast(uint)((section_cnt - 1) * section.sizeof)); } fobjbuf.write(&symtab_cmd, symtab_cmd.sizeof); fobjbuf.write(&dysymtab_cmd, dysymtab_cmd.sizeof); fobjbuf.position(foffset, 0); fobjbuf.flush(); } /***************************** * Line number support. */ /*************************** * Record file and line number at segment and offset. * The actual .debug_line segment is put out by dwarf_termfile(). * Params: * srcpos = source file position * seg = segment it corresponds to * offset = offset within seg */ void Obj_linnum(Srcpos srcpos, int seg, targ_size_t offset) { if (srcpos.Slinnum == 0) return; static if (0) { printf("Obj_linnum(seg=%d, offset=x%lx) ", seg, offset); srcpos.print(""); } version (MARS) { if (!srcpos.Sfilename) return; } version (SCPP) { if (!srcpos.Sfilptr) return; sfile_debug(&srcpos_sfile(srcpos)); Sfile *sf = *srcpos.Sfilptr; } size_t i; seg_data *pseg = SegData[seg]; // Find entry i in SDlinnum_data[] that corresponds to srcpos filename for (i = 0; 1; i++) { if (i == pseg.SDlinnum_count) { // Create new entry if (pseg.SDlinnum_count == pseg.SDlinnum_max) { // Enlarge array uint newmax = pseg.SDlinnum_max * 2 + 1; //printf("realloc %d\n", newmax * linnum_data.sizeof); pseg.SDlinnum_data = cast(linnum_data *)mem_realloc( pseg.SDlinnum_data, newmax * linnum_data.sizeof); memset(pseg.SDlinnum_data + pseg.SDlinnum_max, 0, (newmax - pseg.SDlinnum_max) * linnum_data.sizeof); pseg.SDlinnum_max = newmax; } pseg.SDlinnum_count++; version (MARS) { pseg.SDlinnum_data[i].filename = srcpos.Sfilename; } version (SCPP) { pseg.SDlinnum_data[i].filptr = sf; } break; } version (MARS) { if (pseg.SDlinnum_data[i].filename == srcpos.Sfilename) break; } version (SCPP) { if (pseg.SDlinnum_data[i].filptr == sf) break; } } linnum_data *ld = &pseg.SDlinnum_data[i]; // printf("i = %d, ld = x%x\n", i, ld); if (ld.linoff_count == ld.linoff_max) { if (!ld.linoff_max) ld.linoff_max = 8; ld.linoff_max *= 2; ld.linoff = cast(uint[2]*)mem_realloc(ld.linoff, ld.linoff_max * uint.sizeof * 2); } ld.linoff[ld.linoff_count][0] = srcpos.Slinnum; ld.linoff[ld.linoff_count][1] = cast(uint)offset; ld.linoff_count++; } /******************************* * Set start address */ void Obj_startaddress(Symbol *s) { //dbg_printf("Obj_startaddress(Symbol *%s)\n",s.Sident); //obj.startaddress = s; } /******************************* * Output library name. */ bool Obj_includelib(const(char)* name) { //dbg_printf("Obj_includelib(name *%s)\n",name); return false; } /******************************* * Output linker directive. */ bool Obj_linkerdirective(const(char)* name) { return false; } /********************************** * Do we allow zero sized objects? */ bool Obj_allowZeroSize() { return true; } /************************** * Embed string in executable. */ void Obj_exestr(const(char)* p) { //dbg_printf("Obj_exestr(char *%s)\n",p); } /************************** * Embed string in obj. */ void Obj_user(const(char)* p) { //dbg_printf("Obj_user(char *%s)\n",p); } /******************************* * Output a weak extern record. */ void Obj_wkext(Symbol *s1,Symbol *s2) { //dbg_printf("Obj_wkext(Symbol *%s,Symbol *s2)\n",s1.Sident.ptr,s2.Sident.ptr); } /******************************* * Output file name record. * * Currently assumes that obj_filename will not be called * twice for the same file. */ void obj_filename(const(char)* modname) { //dbg_printf("obj_filename(char *%s)\n",modname); // Not supported by Mach-O } /******************************* * Embed compiler version in .obj file. */ void Obj_compiler() { //dbg_printf("Obj_compiler\n"); } /************************************** * Symbol is the function that calls the static constructors. * Put a pointer to it into a special segment that the startup code * looks at. * Input: * s static constructor function * dtor !=0 if leave space for static destructor * seg 1: user * 2: lib * 3: compiler */ void Obj_staticctor(Symbol *s, int, int) { Obj_setModuleCtorDtor(s, true); } /************************************** * Symbol is the function that calls the static destructors. * Put a pointer to it into a special segment that the exit code * looks at. * Input: * s static destructor function */ void Obj_staticdtor(Symbol *s) { Obj_setModuleCtorDtor(s, false); } /*************************************** * Stuff pointer to function in its own segment. * Used for static ctor and dtor lists. */ void Obj_setModuleCtorDtor(Symbol *sfunc, bool isCtor) { const(char)* secname = isCtor ? "__mod_init_func" : "__mod_term_func"; const int align_ = I64 ? 3 : 2; // align to _tysize[TYnptr] const int flags = isCtor ? S_MOD_INIT_FUNC_POINTERS : S_MOD_TERM_FUNC_POINTERS; IDXSEC seg = Obj_getsegment(secname, "__DATA", align_, flags); const int relflags = I64 ? CFoff | CFoffset64 : CFoff; const int sz = Obj_reftoident(seg, SegData[seg].SDoffset, sfunc, 0, relflags); SegData[seg].SDoffset += sz; } /*************************************** * Stuff the following data (instance of struct FuncTable) in a separate segment: * pointer to function * pointer to ehsym * length of function */ void Obj_ehtables(Symbol *sfunc,uint size,Symbol *ehsym) { //dbg_printf("Obj_ehtables(%s) \n",sfunc.Sident.ptr); /* BUG: this should go into a COMDAT if sfunc is in a COMDAT * otherwise the duplicates aren't removed. */ int align_ = I64 ? 3 : 2; // align to _tysize[TYnptr] // The size is (FuncTable).sizeof in deh2.d int seg = Obj_getsegment("__deh_eh", "__DATA", align_, S_REGULAR); Outbuffer *buf = SegData[seg].SDbuf; if (I64) { Obj_reftoident(seg, buf.size(), sfunc, 0, CFoff | CFoffset64); Obj_reftoident(seg, buf.size(), ehsym, 0, CFoff | CFoffset64); buf.write64(sfunc.Ssize); } else { Obj_reftoident(seg, buf.size(), sfunc, 0, CFoff); Obj_reftoident(seg, buf.size(), ehsym, 0, CFoff); buf.write32(cast(int)sfunc.Ssize); } } /********************************************* * Put out symbols that define the beginning/end of the .deh_eh section. * This gets called if this is the module with "main()" in it. */ void Obj_ehsections() { //printf("Obj_ehsections()\n"); } /********************************* * Setup for Symbol s to go into a COMDAT segment. * Output (if s is a function): * cseg segment index of new current code segment * Offset(cseg) starting offset in cseg * Returns: * "segment index" of COMDAT */ int Obj_comdatsize(Symbol *s, targ_size_t symsize) { return Obj_comdat(s); } int Obj_comdat(Symbol *s) { const(char)* sectname; const(char)* segname; int align_; int flags; //printf("Obj_comdat(Symbol* %s)\n",s.Sident.ptr); //symbol_print(s); symbol_debug(s); if (tyfunc(s.ty())) { sectname = "__textcoal_nt"; segname = "__TEXT"; align_ = 2; // 4 byte alignment flags = S_COALESCED | S_ATTR_PURE_INSTRUCTIONS | S_ATTR_SOME_INSTRUCTIONS; s.Sseg = Obj_getsegment(sectname, segname, align_, flags); } else if ((s.ty() & mTYLINK) == mTYthread) { s.Sfl = FLtlsdata; align_ = 4; if (I64) s.Sseg = objmod.tlsseg().SDseg; else s.Sseg = Obj_getsegment("__tlscoal_nt", "__DATA", align_, S_COALESCED); Obj_data_start(s, 1 << align_, s.Sseg); } else { s.Sfl = FLdata; sectname = "__datacoal_nt"; segname = "__DATA"; align_ = 4; // 16 byte alignment s.Sseg = Obj_getsegment(sectname, segname, align_, S_COALESCED); Obj_data_start(s, 1 << align_, s.Sseg); } // find or create new segment if (s.Salignment > (1 << align_)) SegData[s.Sseg].SDalignment = s.Salignment; s.Soffset = SegData[s.Sseg].SDoffset; if (s.Sfl == FLdata || s.Sfl == FLtlsdata) { // Code symbols are 'published' by Obj_func_start() Obj_pubdef(s.Sseg,s,s.Soffset); searchfixlist(s); // backpatch any refs to this symbol } return s.Sseg; } int Obj_readonly_comdat(Symbol *s) { assert(0); } /*********************************** * Returns: * jump table segment for function s */ int Obj_jmpTableSegment(Symbol *s) { return (config.flags & CFGromable) ? cseg : CDATA; } /********************************** * Get segment. * Input: * align_ segment alignment as power of 2 * Returns: * segment index of found or newly created segment */ int Obj_getsegment(const(char)* sectname, const(char)* segname, int align_, int flags) { assert(strlen(sectname) <= 16); assert(strlen(segname) <= 16); for (int seg = 1; seg <= seg_count; seg++) { seg_data *pseg = SegData[seg]; if (I64) { if (strncmp(SecHdrTab64[pseg.SDshtidx].sectname.ptr, sectname, 16) == 0 && strncmp(SecHdrTab64[pseg.SDshtidx].segname.ptr, segname, 16) == 0) return seg; // return existing segment } else { if (strncmp(SecHdrTab[pseg.SDshtidx].sectname.ptr, sectname, 16) == 0 && strncmp(SecHdrTab[pseg.SDshtidx].segname.ptr, segname, 16) == 0) return seg; // return existing segment } } int seg = ++seg_count; if (seg_count >= seg_max) { // need more room in segment table seg_max += 10; SegData = cast(seg_data **)mem_realloc(SegData,seg_max * (seg_data *).sizeof); memset(&SegData[seg_count], 0, (seg_max - seg_count) * (seg_data *).sizeof); } assert(seg_count < seg_max); if (SegData[seg]) { seg_data *pseg = SegData[seg]; Outbuffer *b1 = pseg.SDbuf; Outbuffer *b2 = pseg.SDrel; memset(pseg, 0, seg_data.sizeof); if (b1) b1.setsize(0); if (b2) b2.setsize(0); pseg.SDbuf = b1; pseg.SDrel = b2; } else { seg_data *pseg = cast(seg_data *)mem_calloc(seg_data.sizeof); SegData[seg] = pseg; if (flags != S_ZEROFILL) { pseg.SDbuf = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(pseg.SDbuf); pseg.SDbuf.enlarge(4096); pseg.SDbuf.reserve(4096); } } //dbg_printf("\tNew segment - %d size %d\n", seg,SegData[seg].SDbuf); seg_data *pseg = SegData[seg]; pseg.SDseg = seg; pseg.SDoffset = 0; if (I64) { section_64 *sec = cast(section_64 *) SECbuf.writezeros(section_64.sizeof); strncpy(sec.sectname.ptr, sectname, 16); strncpy(sec.segname.ptr, segname, 16); sec._align = align_; sec.flags = flags; } else { section *sec = cast(section *) SECbuf.writezeros(section.sizeof); strncpy(sec.sectname.ptr, sectname, 16); strncpy(sec.segname.ptr, segname, 16); sec._align = align_; sec.flags = flags; } pseg.SDshtidx = section_cnt++; pseg.SDaranges_offset = 0; pseg.SDlinnum_count = 0; //printf("seg_count = %d\n", seg_count); return seg; } /********************************** * Reset code seg to existing seg. * Used after a COMDAT for a function is done. */ void Obj_setcodeseg(int seg) { cseg = seg; } /******************************** * Define a new code segment. * Input: * name name of segment, if null then revert to default * suffix 0 use name as is * 1 append "_TEXT" to name * Output: * cseg segment index of new current code segment * Offset(cseg) starting offset in cseg * Returns: * segment index of newly created code segment */ int Obj_codeseg(const char *name,int suffix) { //dbg_printf("Obj_codeseg(%s,%x)\n",name,suffix); static if (0) { const(char)* sfx = (suffix) ? "_TEXT" : null; if (!name) // returning to default code segment { if (cseg != CODE) // not the current default { SegData[cseg].SDoffset = Offset(cseg); Offset(cseg) = SegData[CODE].SDoffset; cseg = CODE; } return cseg; } int seg = ElfObj_getsegment(name, sfx, SHT_PROGDEF, SHF_ALLOC|SHF_EXECINSTR, 4); // find or create code segment cseg = seg; // new code segment index Offset(cseg) = 0; return seg; } else { return 0; } } /********************************* * Define segments for Thread Local Storage for 32bit. * Output: * seg_tlsseg set to segment number for TLS segment. * Returns: * segment for TLS segment */ seg_data *Obj_tlsseg() { //printf("Obj_tlsseg(\n"); if (I32) { if (seg_tlsseg == UNKNOWN) seg_tlsseg = Obj_getsegment("__tls_data", "__DATA", 2, S_REGULAR); return SegData[seg_tlsseg]; } else { if (seg_tlsseg == UNKNOWN) seg_tlsseg = Obj_getsegment("__thread_vars", "__DATA", 0, S_THREAD_LOCAL_VARIABLES); return SegData[seg_tlsseg]; } } /********************************* * Define segments for Thread Local Storage. * Output: * seg_tlsseg_bss set to segment number for TLS segment. * Returns: * segment for TLS segment */ seg_data *Obj_tlsseg_bss() { if (I32) { /* Because DMD does not support native tls for Mach-O 32bit, * it's easier to support if we have all the tls in one segment. */ return Obj_tlsseg(); } else { // The alignment should actually be alignment of the largest variable in // the section, but this seems to work anyway. if (seg_tlsseg_bss == UNKNOWN) seg_tlsseg_bss = Obj_getsegment("__thread_bss", "__DATA", 3, S_THREAD_LOCAL_ZEROFILL); return SegData[seg_tlsseg_bss]; } } /********************************* * Define segments for Thread Local Storage data. * Output: * seg_tlsseg_data set to segment number for TLS data segment. * Returns: * segment for TLS data segment */ seg_data *Obj_tlsseg_data() { //printf("Obj_tlsseg_data(\n"); assert(I64); // The alignment should actually be alignment of the largest variable in // the section, but this seems to work anyway. if (seg_tlsseg_data == UNKNOWN) seg_tlsseg_data = Obj_getsegment("__thread_data", "__DATA", 4, S_THREAD_LOCAL_REGULAR); return SegData[seg_tlsseg_data]; } /******************************* * Output an alias definition record. */ void Obj_alias(const(char)* n1,const(char)* n2) { //printf("Obj_alias(%s,%s)\n",n1,n2); assert(0); static if (0) { uint len; char *buffer; buffer = cast(char *) alloca(strlen(n1) + strlen(n2) + 2 * ONS_OHD); len = obj_namestring(buffer,n1); len += obj_namestring(buffer + len,n2); objrecord(ALIAS,buffer,len); } } char *unsstr (uint value) { __gshared char[64] buffer = void; sprintf (buffer.ptr, "%d", value); return buffer.ptr; } /******************************* * Mangle a name. * Returns: * mangled name */ char *obj_mangle2(Symbol *s,char *dest) { size_t len; char *name; //printf("Obj_mangle(s = %p, '%s'), mangle = x%x\n",s,s.Sident.ptr,type_mangle(s.Stype)); symbol_debug(s); assert(dest); version (SCPP) { name = CPP ? cpp_mangle(s) : s.Sident.ptr; } else version (MARS) { // C++ name mangling is handled by front end name = s.Sident.ptr; } else { name = s.Sident.ptr; } len = strlen(name); // # of bytes in name //dbg_printf("len %d\n",len); switch (type_mangle(s.Stype)) { case mTYman_pas: // if upper case case mTYman_for: if (len >= DEST_LEN) dest = cast(char *)mem_malloc(len + 1); memcpy(dest,name,len + 1); // copy in name and ending 0 for (char *p = dest; *p; p++) *p = cast(char)toupper(*p); break; case mTYman_std: { static if (TARGET_LINUX || TARGET_OSX || TARGET_FREEBSD || TARGET_OPENBSD || TARGET_DRAGONFLYBSD || TARGET_SOLARIS) bool cond = (tyfunc(s.ty()) && !variadic(s.Stype)); else bool cond = (!(config.flags4 & CFG4oldstdmangle) && config.exe == EX_WIN32 && tyfunc(s.ty()) && !variadic(s.Stype)); if (cond) { char *pstr = unsstr(type_paramsize(s.Stype)); size_t pstrlen = strlen(pstr); size_t destlen = len + 1 + pstrlen + 1; if (destlen > DEST_LEN) dest = cast(char *)mem_malloc(destlen); memcpy(dest,name,len); dest[len] = '@'; memcpy(dest + 1 + len, pstr, pstrlen + 1); break; } goto case; } case mTYman_sys: case 0: if (len >= DEST_LEN) dest = cast(char *)mem_malloc(len + 1); memcpy(dest,name,len+1);// copy in name and trailing 0 break; case mTYman_c: case mTYman_cpp: case mTYman_d: if (len >= DEST_LEN - 1) dest = cast(char *)mem_malloc(1 + len + 1); dest[0] = '_'; memcpy(dest + 1,name,len+1);// copy in name and trailing 0 break; default: debug { printf("mangling %x\n",type_mangle(s.Stype)); symbol_print(s); } printf("%d\n", type_mangle(s.Stype)); assert(0); } //dbg_printf("\t %s\n",dest); return dest; } /******************************* * Export a function name. */ void Obj_export_symbol(Symbol *s,uint argsize) { //dbg_printf("Obj_export_symbol(%s,%d)\n",s.Sident.ptr,argsize); } /******************************* * Update data information about symbol * align for output and assign segment * if not already specified. * * Input: * sdata data symbol * datasize output size * seg default seg if not known * Returns: * actual seg */ int Obj_data_start(Symbol *sdata, targ_size_t datasize, int seg) { targ_size_t alignbytes; //printf("Obj_data_start(%s,size %llu,seg %d)\n",sdata.Sident.ptr,datasize,seg); //symbol_print(sdata); assert(sdata.Sseg); if (sdata.Sseg == UNKNOWN) // if we don't know then there sdata.Sseg = seg; // wasn't any segment override else seg = sdata.Sseg; targ_size_t offset = Offset(seg); if (sdata.Salignment > 0) { if (SegData[seg].SDalignment < sdata.Salignment) SegData[seg].SDalignment = sdata.Salignment; alignbytes = ((offset + sdata.Salignment - 1) & ~(sdata.Salignment - 1)) - offset; } else alignbytes = _align(datasize, offset) - offset; if (alignbytes) Obj_lidata(seg, offset, alignbytes); sdata.Soffset = offset + alignbytes; return seg; } /******************************* * Update function info before codgen * * If code for this function is in a different segment * than the current default in cseg, switch cseg to new segment. */ void Obj_func_start(Symbol *sfunc) { //printf("Obj_func_start(%s)\n",sfunc.Sident.ptr); symbol_debug(sfunc); assert(sfunc.Sseg); if (sfunc.Sseg == UNKNOWN) sfunc.Sseg = CODE; //printf("sfunc.Sseg %d CODE %d cseg %d Coffset x%x\n",sfunc.Sseg,CODE,cseg,Offset(cseg)); cseg = sfunc.Sseg; assert(cseg == CODE || cseg > UDATA); Obj_pubdef(cseg, sfunc, Offset(cseg)); sfunc.Soffset = Offset(cseg); dwarf_func_start(sfunc); } /******************************* * Update function info after codgen */ void Obj_func_term(Symbol *sfunc) { //dbg_printf("Obj_func_term(%s) offset %x, Coffset %x symidx %d\n", // sfunc.Sident.ptr, sfunc.Soffset,Offset(cseg),sfunc.Sxtrnnum); static if (0) { // fill in the function size if (I64) SymbolTable64[sfunc.Sxtrnnum].st_size = Offset(cseg) - sfunc.Soffset; else SymbolTable[sfunc.Sxtrnnum].st_size = Offset(cseg) - sfunc.Soffset; } dwarf_func_term(sfunc); } /******************************** * Output a public definition. * Input: * seg = segment index that symbol is defined in * s . symbol * offset = offset of name within segment */ void Obj_pubdefsize(int seg, Symbol *s, targ_size_t offset, targ_size_t symsize) { return Obj_pubdef(seg, s, offset); } void Obj_pubdef(int seg, Symbol *s, targ_size_t offset) { //printf("Obj_pubdef(%d:x%x s=%p, %s)\n", seg, offset, s, s.Sident.ptr); //symbol_print(s); symbol_debug(s); s.Soffset = offset; s.Sseg = seg; switch (s.Sclass) { case SCglobal: case SCinline: public_symbuf.write((&s)[0 .. 1]); break; case SCcomdat: case SCcomdef: public_symbuf.write((&s)[0 .. 1]); break; case SCstatic: if (s.Sflags & SFLhidden) { public_symbuf.write((&s)[0 .. 1]); break; } goto default; default: local_symbuf.write((&s)[0 .. 1]); break; } //printf("%p\n", *cast(void**)public_symbuf.buf); s.Sxtrnnum = 1; } /******************************* * Output an external symbol for name. * Input: * name Name to do EXTDEF on * (Not to be mangled) * Returns: * Symbol table index of the definition * NOTE: Numbers will not be linear. */ int Obj_external_def(const(char)* name) { //printf("Obj_external_def('%s')\n",name); assert(name); assert(extdef == 0); extdef = Obj_addstr(symtab_strings, name); return 0; } /******************************* * Output an external for existing symbol. * Input: * s Symbol to do EXTDEF on * (Name is to be mangled) * Returns: * Symbol table index of the definition * NOTE: Numbers will not be linear. */ int Obj_external(Symbol *s) { //printf("Obj_external('%s') %x\n",s.Sident.ptr,s.Svalue); symbol_debug(s); extern_symbuf.write((&s)[0 .. 1]); s.Sxtrnnum = 1; return 0; } /******************************* * Output a common block definition. * Input: * p . external identifier * size size in bytes of each elem * count number of elems * Returns: * Symbol table index for symbol */ int Obj_common_block(Symbol *s,targ_size_t size,targ_size_t count) { //printf("Obj_common_block('%s', size=%d, count=%d)\n",s.Sident.ptr,size,count); symbol_debug(s); // can't have code or thread local comdef's assert(!(s.ty() & (mTYcs | mTYthread))); // support for hidden comdefs not implemented assert(!(s.Sflags & SFLhidden)); Comdef comdef = void; comdef.sym = s; comdef.size = size; comdef.count = cast(int)count; comdef_symbuf.write(&comdef, (comdef).sizeof); s.Sxtrnnum = 1; if (!s.Sseg) s.Sseg = UDATA; return 0; // should return void } int Obj_common_block(Symbol *s, int flag, targ_size_t size, targ_size_t count) { return Obj_common_block(s, size, count); } /*************************************** * Append an iterated data block of 0s. * (uninitialized data only) */ void Obj_write_zeros(seg_data *pseg, targ_size_t count) { Obj_lidata(pseg.SDseg, pseg.SDoffset, count); } /*************************************** * Output an iterated data block of 0s. * * For boundary alignment and initialization */ void Obj_lidata(int seg,targ_size_t offset,targ_size_t count) { //printf("Obj_lidata(%d,%x,%d)\n",seg,offset,count); size_t idx = SegData[seg].SDshtidx; if ((I64 ? SecHdrTab64[idx].flags : SecHdrTab[idx].flags) == S_ZEROFILL) { // Use SDoffset to record size of bss section SegData[seg].SDoffset += count; } else { Obj_bytes(seg, offset, cast(uint)count, null); } } /*********************************** * Append byte to segment. */ void Obj_write_byte(seg_data *pseg, uint byte_) { Obj_byte(pseg.SDseg, pseg.SDoffset, byte_); } /************************************ * Output byte to object file. */ void Obj_byte(int seg,targ_size_t offset,uint byte_) { Outbuffer *buf = SegData[seg].SDbuf; int save = cast(int)buf.size(); //dbg_printf("Obj_byte(seg=%d, offset=x%lx, byte_=x%x)\n",seg,offset,byte_); buf.setsize(cast(uint)offset); buf.writeByte(byte_); if (save > offset+1) buf.setsize(save); else SegData[seg].SDoffset = offset+1; //dbg_printf("\tsize now %d\n",buf.size()); } /*********************************** * Append bytes to segment. */ void Obj_write_bytes(seg_data *pseg, uint nbytes, void *p) { Obj_bytes(pseg.SDseg, pseg.SDoffset, nbytes, p); } /************************************ * Output bytes to object file. * Returns: * nbytes */ uint Obj_bytes(int seg, targ_size_t offset, uint nbytes, void *p) { static if (0) { if (!(seg >= 0 && seg <= seg_count)) { printf("Obj_bytes: seg = %d, seg_count = %d\n", seg, seg_count); *cast(char*)0=0; } } assert(seg >= 0 && seg <= seg_count); Outbuffer *buf = SegData[seg].SDbuf; if (buf == null) { //dbg_printf("Obj_bytes(seg=%d, offset=x%llx, nbytes=%d, p=%p)\n", seg, offset, nbytes, p); //raise(SIGSEGV); assert(buf != null); } int save = cast(int)buf.size(); //dbg_printf("Obj_bytes(seg=%d, offset=x%lx, nbytes=%d, p=x%x)\n", //seg,offset,nbytes,p); buf.position(cast(uint)offset, nbytes); if (p) { buf.writen(p,nbytes); } else { // Zero out the bytes buf.clearn(nbytes); } if (save > offset+nbytes) buf.setsize(save); else SegData[seg].SDoffset = offset+nbytes; return nbytes; } /********************************************* * Add a relocation entry for seg/offset. */ void Obj_addrel(int seg, targ_size_t offset, Symbol *targsym, uint targseg, int rtype, int val = 0) { Relocation rel = void; rel.offset = offset; rel.targsym = targsym; rel.targseg = targseg; rel.rtype = cast(ubyte)rtype; rel.flag = 0; rel.funcsym = funcsym_p; rel.val = cast(short)val; seg_data *pseg = SegData[seg]; if (!pseg.SDrel) { pseg.SDrel = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(pseg.SDrel); } pseg.SDrel.write(&rel, rel.sizeof); } /******************************* * Refer to address that is in the data segment. * Input: * seg:offset = the address being fixed up * val = displacement from start of target segment * targetdatum = target segment number (DATA, CDATA or UDATA, etc.) * flags = CFoff, CFseg * Example: * int *abc = &def[3]; * to allocate storage: * Obj_reftodatseg(DATA,offset,3 * (int *).sizeof,UDATA); */ void Obj_reftodatseg(int seg,targ_size_t offset,targ_size_t val, uint targetdatum,int flags) { Outbuffer *buf = SegData[seg].SDbuf; int save = cast(int)buf.size(); buf.setsize(cast(uint)offset); static if (0) { printf("Obj_reftodatseg(seg:offset=%d:x%llx, val=x%llx, targetdatum %x, flags %x )\n", seg,offset,val,targetdatum,flags); } assert(seg != 0); if (SegData[seg].isCode() && SegData[targetdatum].isCode()) { assert(0); } Obj_addrel(seg, offset, null, targetdatum, RELaddr); if (I64) { if (flags & CFoffset64) { buf.write64(val); if (save > offset + 8) buf.setsize(save); return; } } buf.write32(cast(int)val); if (save > offset + 4) buf.setsize(save); } /******************************* * Refer to address that is in the current function code (funcsym_p). * Only offsets are output, regardless of the memory model. * Used to put values in switch address tables. * Input: * seg = where the address is going (CODE or DATA) * offset = offset within seg * val = displacement from start of this module */ void Obj_reftocodeseg(int seg,targ_size_t offset,targ_size_t val) { //printf("Obj_reftocodeseg(seg=%d, offset=x%lx, val=x%lx )\n",seg,cast(uint)offset,cast(uint)val); assert(seg > 0); Outbuffer *buf = SegData[seg].SDbuf; int save = cast(int)buf.size(); buf.setsize(cast(uint)offset); val -= funcsym_p.Soffset; Obj_addrel(seg, offset, funcsym_p, 0, RELaddr); // if (I64) // buf.write64(val); // else buf.write32(cast(int)val); if (save > offset + 4) buf.setsize(save); } /******************************* * Refer to an identifier. * Input: * seg = where the address is going (CODE or DATA) * offset = offset within seg * s . Symbol table entry for identifier * val = displacement from identifier * flags = CFselfrel: self-relative * CFseg: get segment * CFoff: get offset * CFpc32: [RIP] addressing, val is 0, -1, -2 or -4 * CFoffset64: 8 byte offset for 64 bit builds * Returns: * number of bytes in reference (4 or 8) */ int Obj_reftoident(int seg, targ_size_t offset, Symbol *s, targ_size_t val, int flags) { int retsize = (flags & CFoffset64) ? 8 : 4; static if (0) { printf("\nObj_reftoident('%s' seg %d, offset x%llx, val x%llx, flags x%x)\n", s.Sident.ptr,seg,cast(ulong)offset,cast(ulong)val,flags); printf("retsize = %d\n", retsize); //dbg_printf("Sseg = %d, Sxtrnnum = %d\n",s.Sseg,s.Sxtrnnum); symbol_print(s); } assert(seg > 0); if (s.Sclass != SClocstat && !s.Sxtrnnum) { // It may get defined later as public or local, so defer size_t numbyteswritten = addtofixlist(s, offset, seg, val, flags); assert(numbyteswritten == retsize); } else { if (I64) { //if (s.Sclass != SCcomdat) //val += s.Soffset; int v = 0; if (flags & CFpc32) v = cast(int)val; if (flags & CFselfrel) { Obj_addrel(seg, offset, s, 0, RELrel, v); } else { Obj_addrel(seg, offset, s, 0, RELaddr, v); } } else { if (SegData[seg].isCode() && flags & CFselfrel) { if (!jumpTableSeg) { jumpTableSeg = Obj_getsegment("__jump_table", "__IMPORT", 0, S_SYMBOL_STUBS | S_ATTR_PURE_INSTRUCTIONS | S_ATTR_SOME_INSTRUCTIONS | S_ATTR_SELF_MODIFYING_CODE); } seg_data *pseg = SegData[jumpTableSeg]; if (I64) SecHdrTab64[pseg.SDshtidx].reserved2 = 5; else SecHdrTab[pseg.SDshtidx].reserved2 = 5; if (!indirectsymbuf1) { indirectsymbuf1 = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(indirectsymbuf1); } else { // Look through indirectsym to see if it is already there int n = cast(int)(indirectsymbuf1.size() / (Symbol *).sizeof); Symbol **psym = cast(Symbol **)indirectsymbuf1.buf; for (int i = 0; i < n; i++) { // Linear search, pretty pathetic if (s == psym[i]) { val = i * 5; goto L1; } } } val = pseg.SDbuf.size(); static immutable char[5] halts = [ 0xF4,0xF4,0xF4,0xF4,0xF4 ]; pseg.SDbuf.write(halts.ptr, 5); // Add symbol s to indirectsymbuf1 indirectsymbuf1.write((&s)[0 .. 1]); L1: val -= offset + 4; Obj_addrel(seg, offset, null, jumpTableSeg, RELrel); } else if (SegData[seg].isCode() && !(flags & CFindirect) && ((s.Sclass != SCextern && SegData[s.Sseg].isCode()) || s.Sclass == SClocstat || s.Sclass == SCstatic)) { val += s.Soffset; Obj_addrel(seg, offset, null, s.Sseg, RELaddr); } else if ((flags & CFindirect) || SegData[seg].isCode() && !tyfunc(s.ty())) { if (!pointersSeg) { pointersSeg = Obj_getsegment("__pointers", "__IMPORT", 0, S_NON_LAZY_SYMBOL_POINTERS); } seg_data *pseg = SegData[pointersSeg]; if (!indirectsymbuf2) { indirectsymbuf2 = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(indirectsymbuf2); } else { // Look through indirectsym to see if it is already there int n = cast(int)(indirectsymbuf2.size() / (Symbol *).sizeof); Symbol **psym = cast(Symbol **)indirectsymbuf2.buf; for (int i = 0; i < n; i++) { // Linear search, pretty pathetic if (s == psym[i]) { val = i * 4; goto L2; } } } val = pseg.SDbuf.size(); pseg.SDbuf.writezeros(_tysize[TYnptr]); // Add symbol s to indirectsymbuf2 indirectsymbuf2.write((&s)[0 .. 1]); L2: //printf("Obj_reftoident: seg = %d, offset = x%x, s = %s, val = x%x, pointersSeg = %d\n", seg, (int)offset, s.Sident.ptr, (int)val, pointersSeg); if (flags & CFindirect) { Relocation rel = void; rel.offset = offset; rel.targsym = null; rel.targseg = pointersSeg; rel.rtype = RELaddr; rel.flag = 0; rel.funcsym = null; rel.val = 0; seg_data *pseg2 = SegData[seg]; if (!pseg2.SDrel) { pseg2.SDrel = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(pseg2.SDrel); } pseg2.SDrel.write(&rel, rel.sizeof); } else Obj_addrel(seg, offset, null, pointersSeg, RELaddr); } else { //val -= s.Soffset; Obj_addrel(seg, offset, s, 0, RELaddr); } } Outbuffer *buf = SegData[seg].SDbuf; int save = cast(int)buf.size(); buf.position(cast(uint)offset, retsize); //printf("offset = x%llx, val = x%llx\n", offset, val); if (retsize == 8) buf.write64(val); else buf.write32(cast(int)val); if (save > offset + retsize) buf.setsize(save); } return retsize; } /***************************************** * Generate far16 thunk. * Input: * s Symbol to generate a thunk for */ void Obj_far16thunk(Symbol *s) { //dbg_printf("Obj_far16thunk('%s')\n", s.Sident.ptr); assert(0); } /************************************** * Mark object file as using floating point. */ void Obj_fltused() { //dbg_printf("Obj_fltused()\n"); } /************************************ * Close and delete .OBJ file. */ void objfile_delete() { //remove(fobjname); // delete corrupt output file } /********************************** * Terminate. */ void objfile_term() { static if(TERMCODE) { mem_free(fobjname); fobjname = null; } } /********************************** * Write to the object file */ /+void objfile_write(FILE *fd, void *buffer, uint len) { fobjbuf.write(buffer, len); }+/ int elf_align(targ_size_t size, int foffset) { if (size <= 1) return foffset; int offset = cast(int)((foffset + size - 1) & ~(size - 1)); if (offset > foffset) fobjbuf.writezeros(offset - foffset); return offset; } /*************************************** * Stuff pointer to ModuleInfo in its own segment. */ version (MARS) { void Obj_moduleinfo(Symbol *scc) { int align_ = I64 ? 3 : 2; // align to _tysize[TYnptr] int seg = Obj_getsegment("__minfodata", "__DATA", align_, S_REGULAR); //printf("Obj_moduleinfo(%s) seg = %d:x%x\n", scc.Sident.ptr, seg, Offset(seg)); static if (0) { type *t = type_fake(TYint); t.Tmangle = mTYman_c; char *p = cast(char *)malloc(5 + strlen(scc.Sident.ptr) + 1); strcpy(p, "SUPER"); strcpy(p + 5, scc.Sident.ptr); Symbol *s_minfo_beg = symbol_name(p, SCglobal, t); Obj_pubdef(seg, s_minfo_beg, 0); } int flags = CFoff; if (I64) flags |= CFoffset64; SegData[seg].SDoffset += Obj_reftoident(seg, Offset(seg), scc, 0, flags); } } /************************************* */ void Obj_gotref(Symbol *s) { //printf("Obj_gotref(%x '%s', %d)\n",s,s.Sident.ptr, s.Sclass); switch(s.Sclass) { case SCstatic: case SClocstat: s.Sfl = FLgotoff; break; case SCextern: case SCglobal: case SCcomdat: case SCcomdef: s.Sfl = FLgot; break; default: break; } } /** * Returns the symbol for the __tlv_bootstrap function. * * This function is used in the implementation of native thread local storage. * It's used as a placeholder in the TLV descriptors. The dynamic linker will * replace the placeholder with a real function at load time. */ Symbol *Obj_tlv_bootstrap() { if (!tlv_bootstrap_sym) tlv_bootstrap_sym = symbol_name("__tlv_bootstrap", SCextern, type_fake(TYnfunc)); return tlv_bootstrap_sym; } void Obj_write_pointerRef(Symbol* s, uint off) { } /****************************************** * Generate fixup specific to .eh_frame and .gcc_except_table sections. * Params: * seg = segment of where to write fixup * offset = offset of where to write fixup * s = fixup is a reference to this Symbol * val = displacement from s * Returns: * number of bytes written at seg:offset */ int dwarf_reftoident(int seg, targ_size_t offset, Symbol *s, targ_size_t val) { //printf("dwarf_reftoident(seg=%d offset=x%x s=%s val=x%x\n", seg, (int)offset, s.Sident.ptr, (int)val); Obj_reftoident(seg, offset, s, val + 4, I64 ? CFoff : CFindirect); return 4; } /***************************************** * Generate LSDA and PC_Begin fixups in the __eh_frame segment encoded as DW_EH_PE_pcrel|ptr. * 64 bits * LSDA * [0] address x0071 symbolnum 6 pcrel 0 length 3 extern 1 type 5 RELOC_SUBTRACTOR __Z3foov.eh * [1] address x0071 symbolnum 1 pcrel 0 length 3 extern 1 type 0 RELOC_UNSIGNED GCC_except_table2 * PC_Begin: * [2] address x0060 symbolnum 6 pcrel 0 length 3 extern 1 type 5 RELOC_SUBTRACTOR __Z3foov.eh * [3] address x0060 symbolnum 5 pcrel 0 length 3 extern 1 type 0 RELOC_UNSIGNED __Z3foov * Want the result to be &s - pc * The fixup yields &s - &fdesym + value * Therefore value = &fdesym - pc * which is the same as fdesym.Soffset - offset * 32 bits * LSDA * [6] address x0028 pcrel 0 length 2 value x0 type 4 RELOC_LOCAL_SECTDIFF * [7] address x0000 pcrel 0 length 2 value x1dc type 1 RELOC_PAIR * PC_Begin * [8] address x0013 pcrel 0 length 2 value x228 type 4 RELOC_LOCAL_SECTDIFF * [9] address x0000 pcrel 0 length 2 value x1c7 type 1 RELOC_PAIR * Params: * dfseg = segment of where to write fixup (eh_frame segment) * offset = offset of where to write fixup (eh_frame offset) * s = fixup is a reference to this Symbol (GCC_except_table%d or function_name) * val = displacement from s * fdesym = function_name.eh * Returns: * number of bytes written at seg:offset */ int dwarf_eh_frame_fixup(int dfseg, targ_size_t offset, Symbol *s, targ_size_t val, Symbol *fdesym) { Outbuffer *buf = SegData[dfseg].SDbuf; assert(offset == buf.size()); assert(fdesym.Sseg == dfseg); if (I64) buf.write64(val); // add in 'value' later else buf.write32(cast(int)val); Relocation rel; rel.offset = offset; rel.targsym = s; rel.targseg = 0; rel.rtype = RELaddr; rel.flag = 1; rel.funcsym = fdesym; rel.val = 0; seg_data *pseg = SegData[dfseg]; if (!pseg.SDrel) { pseg.SDrel = cast(Outbuffer*) calloc(1, Outbuffer.sizeof); assert(pseg.SDrel); } pseg.SDrel.write(&rel, rel.sizeof); return I64 ? 8 : 4; } } }
D
module async.event.epoll; debug import std.stdio; version (linux): import async.codec, async.event.selector, async.net.tcplistener, core.stdc.errno, core.sys.linux.epoll, core.sys.posix.netinet.in_, core.sys.posix.netinet.tcp, core.sys.posix.signal, core.sys.posix.time, std.socket; alias LoopSelector = Epoll; class Epoll : Selector { this(TcpListener listener, OnConnected onConnected = null, OnDisconnected onDisconnected = null, OnReceive onReceive = null, OnSendCompleted onSendCompleted = null, OnSocketError onSocketError = null, Codec codec = null, uint workerThreadNum = 0) { super(listener, onConnected, onDisconnected, onReceive, onSendCompleted, onSocketError, codec, workerThreadNum); _eventHandle = epoll_create1(0); reg(_listener.fd, EventType.ACCEPT, EPOLL_CTL_ADD); } private auto reg(int fd, EventType et, int op) { epoll_event ev; ev.events = EPOLLHUP | EPOLLERR; ev.data.fd = fd; if (et != EventType.ACCEPT) { ev.events |= EPOLLET; } if (et == EventType.ACCEPT || et == EventType.READ || et == EventType.READWRITE) { ev.events |= EPOLLIN; } if (et == EventType.WRITE || et == EventType.READWRITE) { ev.events |= EPOLLOUT; } return epoll_ctl(_eventHandle, op, fd, &ev); } override bool register(int fd, EventType et) { if (fd < 0) { return false; } if (reg(fd, et, EPOLL_CTL_ADD)) { return errno == EEXIST; } return true; } override bool reregister(int fd, EventType et) { return fd >= 0 && reg(fd, et, EPOLL_CTL_MOD) == 0; } override bool unregister(int fd) { return fd >= 0 && epoll_ctl(_eventHandle, EPOLL_CTL_DEL, fd, null) == 0; } override protected void handleEvent() { epoll_event[64] events = void; const len = epoll_wait(_eventHandle, events.ptr, events.length, -1); foreach (i; 0 .. len) { int fd = events[i].data.fd; if (events[i].events & (EPOLLHUP | EPOLLERR | EPOLLRDHUP)) { if (fd == _listener.fd) { debug writeln("Listener event error.", fd); } else { int err; socklen_t errlen = err.sizeof; getsockopt(fd, SOL_SOCKET, SO_ERROR, &err, &errlen); removeClient(fd, err); } continue; } if (fd == _listener.fd) { accept(); } else if (events[i].events & EPOLLIN) { read(fd); } else if (events[i].events & EPOLLOUT) { write(fd); } } } }
D
/* * All content copyright Terracotta, Inc., unless otherwise indicated. All rights reserved. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy * of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations * under the License. * */ module hunt.quartz.xml.XMLSchedulingDataProcessor; // import static hunt.quartz.CalendarIntervalScheduleBuilder.calendarIntervalSchedule; // import static hunt.quartz.CronScheduleBuilder.cronSchedule; // import static hunt.quartz.JobBuilder.newJob; // import static hunt.quartz.SimpleScheduleBuilder.simpleSchedule; // import static hunt.quartz.TriggerBuilder.newTrigger; // import static hunt.quartz.TriggerKey.triggerKey; // import java.io.File; // import java.io.FileInputStream; // import java.io.FileNotFoundException; // import java.io.IOException; // import hunt.io.common; // import java.io.UnsupportedEncodingException; // import java.net.URL; // import java.net.URLDecoder; // import hunt.Exceptions; // import hunt.collection.ArrayList; // import hunt.collection.Collection; // import hunt.collection.Collections; // import std.datetime; // import hunt.collection.HashMap; // import hunt.collection.Iterator; // import hunt.collection.LinkedList; // import hunt.collection.List; // import hunt.collection.Map; // import std.datetime : TimeZone; // import javax.xml.XMLConstants; // import javax.xml.namespace.NamespaceContext; // import javax.xml.parsers.DocumentBuilder; // import javax.xml.parsers.DocumentBuilderFactory; // import javax.xml.parsers.ParserConfigurationException; // import javax.xml.xpath.XPath; // import javax.xml.xpath.XPathConstants; // import javax.xml.xpath.XPathException; // import javax.xml.xpath.XPathExpressionException; // import javax.xml.xpath.XPathFactory; // import hunt.quartz.*; // import hunt.quartz.DateBuilder : IntervalUnit; // import hunt.quartz.impl.matchers.GroupMatcher; // import hunt.quartz.spi.ClassLoadHelper; // import hunt.quartz.spi.MutableTrigger; // import hunt.logging; // import org.w3c.dom.Document; // import org.w3c.dom.Node; // import org.w3c.dom.NodeList; // import org.xml.sax.ErrorHandler; // import org.xml.sax.InputSource; // import org.xml.sax.SAXException; // import org.xml.sax.SAXParseException; // import javax.xml.bind.DatatypeConverter; // /** // * Parses an XML file that declares Jobs and their schedules (Triggers), and processes the related data. // * // * The xml document must conform to the format defined in // * "job_scheduling_data_2_0.xsd" // * // * The same instance can be used again and again, however a single instance is not thread-safe. // * // * @author James House // * @author Past contributions from <a href="mailto:bonhamcm@thirdeyeconsulting.com">Chris Bonham</a> // * @author Past contributions from pl47ypus // * // * @since Quartz 1.8 // */ // class XMLSchedulingDataProcessor : ErrorHandler { // /* // * ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // * // * Constants. // * // * ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // */ // enum string QUARTZ_NS = "http://www.quartz-scheduler.org/xml/JobSchedulingData"; // enum string QUARTZ_SCHEMA_WEB_URL = "http://www.quartz-scheduler.org/xml/job_scheduling_data_2_0.xsd"; // enum string QUARTZ_XSD_PATH_IN_JAR = "org/quartz/xml/job_scheduling_data_2_0.xsd"; // enum string QUARTZ_XML_DEFAULT_FILE_NAME = "quartz_data.xml"; // enum string QUARTZ_SYSTEM_ID_JAR_PREFIX = "jar:"; // /* // * ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // * // * Data members. // * // * ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // */ // // pre-processing commands // protected List!(string) jobGroupsToDelete = new LinkedList!(string)(); // protected List!(string) triggerGroupsToDelete = new LinkedList!(string)(); // protected List!(JobKey) jobsToDelete = new LinkedList!(JobKey)(); // protected List!(TriggerKey) triggersToDelete = new LinkedList!(TriggerKey)(); // // scheduling commands // protected List!(JobDetail) loadedJobs = new LinkedList!(JobDetail)(); // protected List!(MutableTrigger) loadedTriggers = new LinkedList!(MutableTrigger)(); // // directives // private bool overWriteExistingData = true; // private bool ignoreDuplicates = false; // protected Collection!(Exception) validationExceptions = new ArrayList!(Exception)(); // protected ClassLoadHelper classLoadHelper; // protected List!(string) jobGroupsToNeverDelete = new LinkedList!(string)(); // protected List!(string) triggerGroupsToNeverDelete = new LinkedList!(string)(); // private DocumentBuilder docBuilder = null; // private XPath xpath = null; // /* // * ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // * // * Constructors. // * // * ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // */ // /** // * Constructor for JobSchedulingDataLoader. // * // * @param clh class-loader helper to share with digester. // * @throws ParserConfigurationException if the XML parser cannot be configured as needed. // */ // XMLSchedulingDataProcessor(ClassLoadHelper clh) { // this.classLoadHelper = clh; // initDocumentParser(); // } // /** // * Initializes the XML parser. // * @throws ParserConfigurationException // */ // protected void initDocumentParser() { // DocumentBuilderFactory docBuilderFactory = DocumentBuilderFactory.newInstance(); // docBuilderFactory.setNamespaceAware(true); // docBuilderFactory.setValidating(true); // docBuilderFactory.setAttribute("http://java.sun.com/xml/jaxp/properties/schemaLanguage", "http://www.w3.org/2001/XMLSchema"); // docBuilderFactory.setAttribute("http://java.sun.com/xml/jaxp/properties/schemaSource", resolveSchemaSource()); // docBuilder = docBuilderFactory.newDocumentBuilder(); // docBuilder.setErrorHandler(this); // NamespaceContext nsContext = new NamespaceContext() // { // string getNamespaceURI(string prefix) // { // if (prefix is null) // throw new IllegalArgumentException("Null prefix"); // if (XMLConstants.XML_NS_PREFIX== prefix) // return XMLConstants.XML_NS_URI; // if (XMLConstants.XMLNS_ATTRIBUTE== prefix) // return XMLConstants.XMLNS_ATTRIBUTE_NS_URI; // if ("q"== prefix) // return QUARTZ_NS; // return XMLConstants.NULL_NS_URI; // } // Iterator<?> getPrefixes(string namespaceURI) // { // // This method isn't necessary for XPath processing. // throw new UnsupportedOperationException(); // } // string getPrefix(string namespaceURI) // { // // This method isn't necessary for XPath processing. // throw new UnsupportedOperationException(); // } // }; // xpath = XPathFactory.newInstance().newXPath(); // xpath.setNamespaceContext(nsContext); // } // protected Object resolveSchemaSource() { // InputSource inputSource; // InputStream is = null; // try { // is = classLoadHelper.getResourceAsStream(QUARTZ_XSD_PATH_IN_JAR); // } finally { // if (is !is null) { // inputSource = new InputSource(is); // inputSource.setSystemId(QUARTZ_SCHEMA_WEB_URL); // trace("Utilizing schema packaged in local quartz distribution jar."); // } // else { // info("Unable to load local schema packaged in quartz distribution jar. Utilizing schema online at " ~ QUARTZ_SCHEMA_WEB_URL); // return QUARTZ_SCHEMA_WEB_URL; // } // } // return inputSource; // } // /** // * Whether the existing scheduling data (with same identifiers) will be // * overwritten. // * // * If false, and <code>IgnoreDuplicates</code> is not false, and jobs or // * triggers with the same names already exist as those in the file, an // * error will occur. // * // * @see #isIgnoreDuplicates() // */ // bool isOverWriteExistingData() { // return overWriteExistingData; // } // /** // * Whether the existing scheduling data (with same identifiers) will be // * overwritten. // * // * If false, and <code>IgnoreDuplicates</code> is not false, and jobs or // * triggers with the same names already exist as those in the file, an // * error will occur. // * // * @see #setIgnoreDuplicates(bool) // */ // protected void setOverWriteExistingData(bool overWriteExistingData) { // this.overWriteExistingData = overWriteExistingData; // } // /** // * If true (and <code>OverWriteExistingData</code> is false) then any // * job/triggers encountered in this file that have names that already exist // * in the scheduler will be ignored, and no error will be produced. // * // * @see #isOverWriteExistingData() // */ // bool isIgnoreDuplicates() { // return ignoreDuplicates; // } // /** // * If true (and <code>OverWriteExistingData</code> is false) then any // * job/triggers encountered in this file that have names that already exist // * in the scheduler will be ignored, and no error will be produced. // * // * @see #setOverWriteExistingData(bool) // */ // void setIgnoreDuplicates(bool ignoreDuplicates) { // this.ignoreDuplicates = ignoreDuplicates; // } // /** // * Add the given group to the list of job groups that will never be // * deleted by this processor, even if a pre-processing-command to // * delete the group is encountered. // */ // void addJobGroupToNeverDelete(string group) { // if(group !is null) // jobGroupsToNeverDelete.add(group); // } // /** // * Remove the given group to the list of job groups that will never be // * deleted by this processor, even if a pre-processing-command to // * delete the group is encountered. // */ // bool removeJobGroupToNeverDelete(string group) { // return group !is null && jobGroupsToNeverDelete.remove(group); // } // /** // * Get the (unmodifiable) list of job groups that will never be // * deleted by this processor, even if a pre-processing-command to // * delete the group is encountered. // */ // List!(string) getJobGroupsToNeverDelete() { // return Collections.unmodifiableList(jobGroupsToDelete); // } // /** // * Add the given group to the list of trigger groups that will never be // * deleted by this processor, even if a pre-processing-command to // * delete the group is encountered. // */ // void addTriggerGroupToNeverDelete(string group) { // if(group !is null) // triggerGroupsToNeverDelete.add(group); // } // /** // * Remove the given group to the list of trigger groups that will never be // * deleted by this processor, even if a pre-processing-command to // * delete the group is encountered. // */ // bool removeTriggerGroupToNeverDelete(string group) { // if(group !is null) // return triggerGroupsToNeverDelete.remove(group); // return false; // } // /** // * Get the (unmodifiable) list of trigger groups that will never be // * deleted by this processor, even if a pre-processing-command to // * delete the group is encountered. // */ // List!(string) getTriggerGroupsToNeverDelete() { // return Collections.unmodifiableList(triggerGroupsToDelete); // } // /* // * ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // * // * Interface. // * // * ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ // */ // /** // * Process the xml file in the default location (a file named // * "quartz_jobs.xml" in the current working directory). // * // */ // protected void processFile() { // processFile(QUARTZ_XML_DEFAULT_FILE_NAME); // } // /** // * Process the xml file named <code>fileName</code>. // * // * @param fileName // * meta data file name. // */ // protected void processFile(string fileName) { // processFile(fileName, getSystemIdForFileName(fileName)); // } // /** // * For the given <code>fileName</code>, attempt to expand it to its full path // * for use as a system id. // * // * @see #getURL(string) // * @see #processFile() // * @see #processFile(string) // * @see #processFileAndScheduleJobs(Scheduler, bool) // * @see #processFileAndScheduleJobs(string, hunt.quartz.Scheduler) // */ // protected string getSystemIdForFileName(string fileName) { // File file = new File(fileName); // files in filesystem // if (file.exists()) { // try { // new FileInputStream(file).close(); // return file.toURI().toString(); // }catch (IOException ignore) { // return fileName; // } // } else { // URL url = getURL(fileName); // if (url is null) { // return fileName; // } else { // try { // url.openStream().close(); // return url.toString(); // } catch (IOException ignore) { // return fileName; // } // } // } // } // /** // * Returns an <code>URL</code> from the fileName as a resource. // * // * @param fileName // * file name. // * @return an <code>URL</code> from the fileName as a resource. // */ // protected URL getURL(string fileName) { // return classLoadHelper.getResource(fileName); // } // protected void prepForProcessing() // { // clearValidationExceptions(); // setOverWriteExistingData(true); // setIgnoreDuplicates(false); // jobGroupsToDelete.clear(); // jobsToDelete.clear(); // triggerGroupsToDelete.clear(); // triggersToDelete.clear(); // loadedJobs.clear(); // loadedTriggers.clear(); // } // /** // * Process the xmlfile named <code>fileName</code> with the given system // * ID. // * // * @param fileName // * meta data file name. // * @param systemId // * system ID. // */ // protected void processFile(string fileName, string systemId) ParserConfigurationException, // SAXException, IOException, SchedulerException, // ClassNotFoundException, ParseException, XPathException { // prepForProcessing(); // info("Parsing XML file: " ~ fileName + // " with systemId: " ~ systemId); // InputSource is = new InputSource(getInputStream(fileName)); // is.setSystemId(systemId); // process(is); // maybeThrowValidationException(); // } // /** // * Process the xmlfile named <code>fileName</code> with the given system // * ID. // * // * @param stream // * an input stream containing the xml content. // * @param systemId // * system ID. // */ // void processStreamAndScheduleJobs(InputStream stream, string systemId, Scheduler sched) ParserConfigurationException, // SAXException, XPathException, IOException, SchedulerException, // ClassNotFoundException, ParseException { // prepForProcessing(); // info("Parsing XML from stream with systemId: " ~ systemId); // InputSource is = new InputSource(stream); // is.setSystemId(systemId); // process(is); // executePreProcessCommands(sched); // scheduleJobs(sched); // maybeThrowValidationException(); // } // protected void process(InputSource is) { // // load the document // Document document = docBuilder.parse(is); // // // // Extract pre-processing commands // // // NodeList deleteJobGroupNodes = (NodeList) xpath.evaluate( // "/q:job-scheduling-data/q:pre-processing-commands/q:delete-jobs-in-group", // document, XPathConstants.NODESET); // trace("Found " ~ deleteJobGroupNodes.getLength() ~ " delete job group commands."); // for (int i = 0; i < deleteJobGroupNodes.getLength(); i++) { // Node node = deleteJobGroupNodes.item(i); // string t = node.getTextContent(); // if(t is null || (t = t.trim()).length() == 0) // continue; // jobGroupsToDelete.add(t); // } // NodeList deleteTriggerGroupNodes = (NodeList) xpath.evaluate( // "/q:job-scheduling-data/q:pre-processing-commands/q:delete-triggers-in-group", // document, XPathConstants.NODESET); // trace("Found " ~ deleteTriggerGroupNodes.getLength() ~ " delete trigger group commands."); // for (int i = 0; i < deleteTriggerGroupNodes.getLength(); i++) { // Node node = deleteTriggerGroupNodes.item(i); // string t = node.getTextContent(); // if(t is null || (t = t.trim()).length() == 0) // continue; // triggerGroupsToDelete.add(t); // } // NodeList deleteJobNodes = (NodeList) xpath.evaluate( // "/q:job-scheduling-data/q:pre-processing-commands/q:delete-job", // document, XPathConstants.NODESET); // trace("Found " ~ deleteJobNodes.getLength() ~ " delete job commands."); // for (int i = 0; i < deleteJobNodes.getLength(); i++) { // Node node = deleteJobNodes.item(i); // string name = getTrimmedToNullString(xpath, "q:name", node); // string group = getTrimmedToNullString(xpath, "q:group", node); // if(name is null) // throw new ParseException("Encountered a 'delete-job' command without a name specified.", -1); // jobsToDelete.add(new JobKey(name, group)); // } // NodeList deleteTriggerNodes = (NodeList) xpath.evaluate( // "/q:job-scheduling-data/q:pre-processing-commands/q:delete-trigger", // document, XPathConstants.NODESET); // trace("Found " ~ deleteTriggerNodes.getLength() ~ " delete trigger commands."); // for (int i = 0; i < deleteTriggerNodes.getLength(); i++) { // Node node = deleteTriggerNodes.item(i); // string name = getTrimmedToNullString(xpath, "q:name", node); // string group = getTrimmedToNullString(xpath, "q:group", node); // if(name is null) // throw new ParseException("Encountered a 'delete-trigger' command without a name specified.", -1); // triggersToDelete.add(new TriggerKey(name, group)); // } // // // // Extract directives // // // Boolean overWrite = getBoolean(xpath, // "/q:job-scheduling-data/q:processing-directives/q:overwrite-existing-data", document); // if(overWrite is null) { // trace("Directive 'overwrite-existing-data' not specified, defaulting to " ~ isOverWriteExistingData()); // } // else { // trace("Directive 'overwrite-existing-data' specified as: " ~ overWrite); // setOverWriteExistingData(overWrite); // } // Boolean ignoreDupes = getBoolean(xpath, // "/q:job-scheduling-data/q:processing-directives/q:ignore-duplicates", document); // if(ignoreDupes is null) { // trace("Directive 'ignore-duplicates' not specified, defaulting to " ~ isIgnoreDuplicates()); // } // else { // trace("Directive 'ignore-duplicates' specified as: " ~ ignoreDupes); // setIgnoreDuplicates(ignoreDupes); // } // // // // Extract Job definitions... // // // NodeList jobNodes = (NodeList) xpath.evaluate("/q:job-scheduling-data/q:schedule/q:job", // document, XPathConstants.NODESET); // trace("Found " ~ jobNodes.getLength() ~ " job definitions."); // for (int i = 0; i < jobNodes.getLength(); i++) { // Node jobDetailNode = jobNodes.item(i); // string t = null; // string jobName = getTrimmedToNullString(xpath, "q:name", jobDetailNode); // string jobGroup = getTrimmedToNullString(xpath, "q:group", jobDetailNode); // string jobDescription = getTrimmedToNullString(xpath, "q:description", jobDetailNode); // string jobClassName = getTrimmedToNullString(xpath, "q:job-class", jobDetailNode); // t = getTrimmedToNullString(xpath, "q:durability", jobDetailNode); // bool jobDurability = (t !is null) && t.equals("true"); // t = getTrimmedToNullString(xpath, "q:recover", jobDetailNode); // bool jobRecoveryRequested = (t !is null) && t.equals("true"); // Class<? extends Job> jobClass = classLoadHelper.loadClass(jobClassName, Job.class); // JobDetail jobDetail = newJob(jobClass) // .withIdentity(jobName, jobGroup) // .withDescription(jobDescription) // .storeDurably(jobDurability) // .requestRecovery(jobRecoveryRequested) // .build(); // NodeList jobDataEntries = (NodeList) xpath.evaluate( // "q:job-data-map/q:entry", jobDetailNode, // XPathConstants.NODESET); // for (int k = 0; k < jobDataEntries.getLength(); k++) { // Node entryNode = jobDataEntries.item(k); // string key = getTrimmedToNullString(xpath, "q:key", entryNode); // string value = getTrimmedToNullString(xpath, "q:value", entryNode); // jobDetail.getJobDataMap().put(key, value); // } // if(log.isDebugEnabled()) // trace("Parsed job definition: " ~ jobDetail); // addJobToSchedule(jobDetail); // } // // // // Extract Trigger definitions... // // // NodeList triggerEntries = (NodeList) xpath.evaluate( // "/q:job-scheduling-data/q:schedule/q:trigger/*", document, XPathConstants.NODESET); // trace("Found " ~ triggerEntries.getLength() ~ " trigger definitions."); // for (int j = 0; j < triggerEntries.getLength(); j++) { // Node triggerNode = triggerEntries.item(j); // string triggerName = getTrimmedToNullString(xpath, "q:name", triggerNode); // string triggerGroup = getTrimmedToNullString(xpath, "q:group", triggerNode); // string triggerDescription = getTrimmedToNullString(xpath, "q:description", triggerNode); // string triggerMisfireInstructionConst = getTrimmedToNullString(xpath, "q:misfire-instruction", triggerNode); // string triggerPriorityString = getTrimmedToNullString(xpath, "q:priority", triggerNode); // string triggerCalendarRef = getTrimmedToNullString(xpath, "q:calendar-name", triggerNode); // string triggerJobName = getTrimmedToNullString(xpath, "q:job-name", triggerNode); // string triggerJobGroup = getTrimmedToNullString(xpath, "q:job-group", triggerNode); // int triggerPriority = Trigger.DEFAULT_PRIORITY; // if(triggerPriorityString !is null) // triggerPriority = Integer.valueOf(triggerPriorityString); // string startTimeString = getTrimmedToNullString(xpath, "q:start-time", triggerNode); // string startTimeFutureSecsString = getTrimmedToNullString(xpath, "q:start-time-seconds-in-future", triggerNode); // string endTimeString = getTrimmedToNullString(xpath, "q:end-time", triggerNode); // //QTZ-273 : use of DatatypeConverter.parseDateTime() instead of SimpleDateFormat // LocalDateTime triggerStartTime; // if(startTimeFutureSecsString !is null) // triggerStartTime = new LocalDateTime(DateTimeHelper.currentTimeMillis() + (Long.valueOf(startTimeFutureSecsString) * 1000L)); // else // triggerStartTime = (startTimeString is null || startTimeString.length() == 0 ? new LocalDateTime() : DatatypeConverter.parseDateTime(startTimeString).getTime()); // LocalDateTime triggerEndTime = endTimeString is null || endTimeString.length() == 0 ? null : DatatypeConverter.parseDateTime(endTimeString).getTime(); // TriggerKey triggerKey = triggerKey(triggerName, triggerGroup); // ScheduleBuilder<?> sched; // if (triggerNode.getNodeName().equals("simple")) { // string repeatCountString = getTrimmedToNullString(xpath, "q:repeat-count", triggerNode); // string repeatIntervalString = getTrimmedToNullString(xpath, "q:repeat-interval", triggerNode); // int repeatCount = repeatCountString is null ? 0 : Integer.parseInt(repeatCountString); // long repeatInterval = repeatIntervalString is null ? 0 : Long.parseLong(repeatIntervalString); // sched = simpleSchedule() // .withIntervalInMilliseconds(repeatInterval) // .withRepeatCount(repeatCount); // if (triggerMisfireInstructionConst !is null && triggerMisfireInstructionConst.length() != 0) { // if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_FIRE_NOW")) // ((SimpleScheduleBuilder)sched).withMisfireHandlingInstructionFireNow(); // else if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_RESCHEDULE_NEXT_WITH_EXISTING_COUNT")) // ((SimpleScheduleBuilder)sched).withMisfireHandlingInstructionNextWithExistingCount(); // else if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_RESCHEDULE_NEXT_WITH_REMAINING_COUNT")) // ((SimpleScheduleBuilder)sched).withMisfireHandlingInstructionNextWithRemainingCount(); // else if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_RESCHEDULE_NOW_WITH_EXISTING_REPEAT_COUNT")) // ((SimpleScheduleBuilder)sched).withMisfireHandlingInstructionNowWithExistingCount(); // else if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_RESCHEDULE_NOW_WITH_REMAINING_REPEAT_COUNT")) // ((SimpleScheduleBuilder)sched).withMisfireHandlingInstructionNowWithRemainingCount(); // else if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_SMART_POLICY")) { // // do nothing.... (smart policy is default) // } // else // throw new ParseException("Unexpected/Unhandlable Misfire Instruction encountered '" ~ triggerMisfireInstructionConst ~ "', for trigger: " ~ triggerKey, -1); // } // } else if (triggerNode.getNodeName().equals("cron")) { // string cronExpression = getTrimmedToNullString(xpath, "q:cron-expression", triggerNode); // string timezoneString = getTrimmedToNullString(xpath, "q:time-zone", triggerNode); // TimeZone tz = timezoneString is null ? null : TimeZone.getTimeZone(timezoneString); // sched = cronSchedule(cronExpression) // .inTimeZone(tz); // if (triggerMisfireInstructionConst !is null && triggerMisfireInstructionConst.length() != 0) { // if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_DO_NOTHING")) // ((CronScheduleBuilder)sched).withMisfireHandlingInstructionDoNothing(); // else if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_FIRE_ONCE_NOW")) // ((CronScheduleBuilder)sched).withMisfireHandlingInstructionFireAndProceed(); // else if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_SMART_POLICY")) { // // do nothing.... (smart policy is default) // } // else // throw new ParseException("Unexpected/Unhandlable Misfire Instruction encountered '" ~ triggerMisfireInstructionConst ~ "', for trigger: " ~ triggerKey, -1); // } // } else if (triggerNode.getNodeName().equals("calendar-interval")) { // string repeatIntervalString = getTrimmedToNullString(xpath, "q:repeat-interval", triggerNode); // string repeatUnitString = getTrimmedToNullString(xpath, "q:repeat-interval-unit", triggerNode); // int repeatInterval = Integer.parseInt(repeatIntervalString); // IntervalUnit repeatUnit = IntervalUnit.valueOf(repeatUnitString); // sched = calendarIntervalSchedule() // .withInterval(repeatInterval, repeatUnit); // if (triggerMisfireInstructionConst !is null && triggerMisfireInstructionConst.length() != 0) { // if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_DO_NOTHING")) // ((CalendarIntervalScheduleBuilder)sched).withMisfireHandlingInstructionDoNothing(); // else if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_FIRE_ONCE_NOW")) // ((CalendarIntervalScheduleBuilder)sched).withMisfireHandlingInstructionFireAndProceed(); // else if(triggerMisfireInstructionConst.equals("MISFIRE_INSTRUCTION_SMART_POLICY")) { // // do nothing.... (smart policy is default) // } // else // throw new ParseException("Unexpected/Unhandlable Misfire Instruction encountered '" ~ triggerMisfireInstructionConst ~ "', for trigger: " ~ triggerKey, -1); // } // } else { // throw new ParseException("Unknown trigger type: " ~ triggerNode.getNodeName(), -1); // } // MutableTrigger trigger = (MutableTrigger) newTrigger() // .withIdentity(triggerName, triggerGroup) // .withDescription(triggerDescription) // .forJob(triggerJobName, triggerJobGroup) // .startAt(triggerStartTime) // .endAt(triggerEndTime) // .withPriority(triggerPriority) // .modifiedByCalendar(triggerCalendarRef) // .withSchedule(sched) // .build(); // NodeList jobDataEntries = (NodeList) xpath.evaluate( // "q:job-data-map/q:entry", triggerNode, // XPathConstants.NODESET); // for (int k = 0; k < jobDataEntries.getLength(); k++) { // Node entryNode = jobDataEntries.item(k); // string key = getTrimmedToNullString(xpath, "q:key", entryNode); // string value = getTrimmedToNullString(xpath, "q:value", entryNode); // trigger.getJobDataMap().put(key, value); // } // if(log.isDebugEnabled()) // trace("Parsed trigger definition: " ~ trigger); // addTriggerToSchedule(trigger); // } // } // protected string getTrimmedToNullString(XPath xpathToElement, string elementName, Node parentNode) { // string str = (string) xpathToElement.evaluate(elementName, // parentNode, XPathConstants.STRING); // if(str !is null) // str = str.trim(); // if(str !is null && str.length() == 0) // str = null; // return str; // } // protected Boolean getBoolean(XPath xpathToElement, string elementName, Document document) { // Node directive = (Node) xpathToElement.evaluate(elementName, document, XPathConstants.NODE); // if(directive is null || directive.getTextContent() is null) // return null; // string val = directive.getTextContent(); // if(val.equalsIgnoreCase("true") || val.equalsIgnoreCase("yes") || val.equalsIgnoreCase("y")) // return Boolean.TRUE; // return Boolean.FALSE; // } // /** // * Process the xml file in the default location, and schedule all of the // * jobs defined within it. // * // * <p>Note that we will set overWriteExistingJobs after the default xml is parsed. // */ // void processFileAndScheduleJobs(Scheduler sched, // bool overWriteExistingJobs) { // string fileName = QUARTZ_XML_DEFAULT_FILE_NAME; // processFile(fileName, getSystemIdForFileName(fileName)); // // The overWriteExistingJobs flag was set by processFile() -> prepForProcessing(), then by xml parsing, and then now // // we need to reset it again here by this method parameter to override it. // setOverWriteExistingData(overWriteExistingJobs); // executePreProcessCommands(sched); // scheduleJobs(sched); // } // /** // * Process the xml file in the given location, and schedule all of the // * jobs defined within it. // * // * @param fileName // * meta data file name. // */ // void processFileAndScheduleJobs(string fileName, Scheduler sched) { // processFileAndScheduleJobs(fileName, getSystemIdForFileName(fileName), sched); // } // /** // * Process the xml file in the given location, and schedule all of the // * jobs defined within it. // * // * @param fileName // * meta data file name. // */ // void processFileAndScheduleJobs(string fileName, string systemId, Scheduler sched) { // processFile(fileName, systemId); // executePreProcessCommands(sched); // scheduleJobs(sched); // } // /** // * Returns a <code>List</code> of jobs loaded from the xml file. // * <p/> // * // * @return a <code>List</code> of jobs. // */ // protected List!(JobDetail) getLoadedJobs() { // return Collections.unmodifiableList(loadedJobs); // } // /** // * Returns a <code>List</code> of triggers loaded from the xml file. // * <p/> // * // * @return a <code>List</code> of triggers. // */ // protected List!(MutableTrigger) getLoadedTriggers() { // return Collections.unmodifiableList(loadedTriggers); // } // /** // * Returns an <code>InputStream</code> from the fileName as a resource. // * // * @param fileName // * file name. // * @return an <code>InputStream</code> from the fileName as a resource. // */ // protected InputStream getInputStream(string fileName) { // return this.classLoadHelper.getResourceAsStream(fileName); // } // protected void addJobToSchedule(JobDetail job) { // loadedJobs.add(job); // } // protected void addTriggerToSchedule(MutableTrigger trigger) { // loadedTriggers.add(trigger); // } // private Map!(JobKey, List!(MutableTrigger)) buildTriggersByFQJobNameMap(List!(MutableTrigger) triggers) { // Map!(JobKey, List!(MutableTrigger)) triggersByFQJobName = new HashMap!(JobKey, List!(MutableTrigger))(); // foreach(MutableTrigger trigger; triggers) { // List!(MutableTrigger) triggersOfJob = triggersByFQJobName.get(trigger.getJobKey()); // if(triggersOfJob is null) { // triggersOfJob = new LinkedList!(MutableTrigger)(); // triggersByFQJobName.put(trigger.getJobKey(), triggersOfJob); // } // triggersOfJob.add(trigger); // } // return triggersByFQJobName; // } // protected void executePreProcessCommands(Scheduler scheduler) { // foreach(string group; jobGroupsToDelete) { // if(group.equals("*")) { // info("Deleting all jobs in ALL groups."); // foreach(string groupName ; scheduler.getJobGroupNames()) { // if (!jobGroupsToNeverDelete.contains(groupName)) { // foreach(JobKey key ; scheduler.getJobKeys(GroupMatcher.jobGroupEquals(groupName))) { // scheduler.deleteJob(key); // } // } // } // } // else { // if(!jobGroupsToNeverDelete.contains(group)) { // info("Deleting all jobs in group: {}", group); // foreach(JobKey key ; scheduler.getJobKeys(GroupMatcher.jobGroupEquals(group))) { // scheduler.deleteJob(key); // } // } // } // } // foreach(string group; triggerGroupsToDelete) { // if(group.equals("*")) { // info("Deleting all triggers in ALL groups."); // foreach(string groupName ; scheduler.getTriggerGroupNames()) { // if (!triggerGroupsToNeverDelete.contains(groupName)) { // foreach(TriggerKey key ; scheduler.getTriggerKeys(GroupMatcher.triggerGroupEquals(groupName))) { // scheduler.unscheduleJob(key); // } // } // } // } // else { // if(!triggerGroupsToNeverDelete.contains(group)) { // info("Deleting all triggers in group: {}", group); // foreach(TriggerKey key ; scheduler.getTriggerKeys(GroupMatcher.triggerGroupEquals(group))) { // scheduler.unscheduleJob(key); // } // } // } // } // foreach(JobKey key; jobsToDelete) { // if(!jobGroupsToNeverDelete.contains(key.getGroup())) { // info("Deleting job: {}", key); // scheduler.deleteJob(key); // } // } // foreach(TriggerKey key; triggersToDelete) { // if(!triggerGroupsToNeverDelete.contains(key.getGroup())) { // info("Deleting trigger: {}", key); // scheduler.unscheduleJob(key); // } // } // } // /** // * Schedules the given sets of jobs and triggers. // * // * @param sched // * job scheduler. // * @exception SchedulerException // * if the Job or Trigger cannot be added to the Scheduler, or // * there is an internal Scheduler error. // */ // protected void scheduleJobs(Scheduler sched) { // List!(JobDetail) jobs = new LinkedList!(JobDetail)(getLoadedJobs()); // List!(MutableTrigger) triggers = new LinkedList!(MutableTrigger)( getLoadedTriggers()); // info("Adding " ~ jobs.size() ~ " jobs, " ~ triggers.size() ~ " triggers."); // Map!(JobKey, List!(MutableTrigger)) triggersByFQJobName = buildTriggersByFQJobNameMap(triggers); // // add each job, and it's associated triggers // Iterator!(JobDetail) itr = jobs.iterator(); // while(itr.hasNext()) { // JobDetail detail = itr.next(); // itr.remove(); // remove jobs as we handle them... // JobDetail dupeJ = null; // try { // // The existing job could have been deleted, and Quartz API doesn't allow us to query this without // // loading the job class, so use try/catch to handle it. // dupeJ = sched.getJobDetail(detail.getKey()); // } catch (JobPersistenceException e) { // if (e.getCause() instanceof ClassNotFoundException && isOverWriteExistingData()) { // // We are going to replace jobDetail anyway, so just delete it first. // info("Removing job: " ~ detail.getKey()); // sched.deleteJob(detail.getKey()); // } else { // throw e; // } // } // if ((dupeJ !is null)) { // if(!isOverWriteExistingData() && isIgnoreDuplicates()) { // info("Not overwriting existing job: " ~ dupeJ.getKey()); // continue; // just ignore the entry // } // if(!isOverWriteExistingData() && !isIgnoreDuplicates()) { // throw new ObjectAlreadyExistsException(detail); // } // } // if (dupeJ !is null) { // info("Replacing job: " ~ detail.getKey()); // } else { // info("Adding job: " ~ detail.getKey()); // } // List!(MutableTrigger) triggersOfJob = triggersByFQJobName.get(detail.getKey()); // if (!detail.isDurable() && (triggersOfJob is null || triggersOfJob.size() == 0)) { // if (dupeJ is null) { // throw new SchedulerException( // "A new job defined without any triggers must be durable: " ~ // detail.getKey()); // } // if ((dupeJ.isDurable() && // (sched.getTriggersOfJob( // detail.getKey()).size() == 0))) { // throw new SchedulerException( // "Can't change existing durable job without triggers to non-durable: " ~ // detail.getKey()); // } // } // if(dupeJ !is null || detail.isDurable()) { // if (triggersOfJob !is null && triggersOfJob.size() > 0) // sched.addJob(detail, true, true); // add the job regardless is durable or not b/c we have trigger to add // else // sched.addJob(detail, true, false); // add the job only if a replacement or durable, else exception will throw! // } // else { // bool addJobWithFirstSchedule = true; // // Add triggers related to the job... // foreach(MutableTrigger trigger ; triggersOfJob) { // triggers.remove(trigger); // remove triggers as we handle them... // if (trigger.getStartTime() is null) { // trigger.setStartTime(new LocalDateTime()); // } // Trigger dupeT = sched.getTrigger(trigger.getKey()); // if (dupeT !is null) { // if (isOverWriteExistingData()) { // version(HUNT_DEBUG) { // trace( // "Rescheduling job: " ~ trigger.getJobKey() ~ " with updated trigger: " ~ trigger.getKey()); // } // } else if (isIgnoreDuplicates()) { // info("Not overwriting existing trigger: " ~ dupeT.getKey()); // continue; // just ignore the trigger (and possibly job) // } else { // throw new ObjectAlreadyExistsException(trigger); // } // if (!dupeT.getJobKey()== trigger.getJobKey()) { // log.warn("Possibly duplicately named ({}) triggers in jobs xml file! ", trigger.getKey()); // } // sched.rescheduleJob(trigger.getKey(), trigger); // } else { // version(HUNT_DEBUG) { // trace( // "Scheduling job: " ~ trigger.getJobKey() ~ " with trigger: " ~ trigger.getKey()); // } // try { // if (addJobWithFirstSchedule) { // sched.scheduleJob(detail, trigger); // add the job if it's not in yet... // addJobWithFirstSchedule = false; // } else { // sched.scheduleJob(trigger); // } // } catch (ObjectAlreadyExistsException e) { // version(HUNT_DEBUG) { // trace( // "Adding trigger: " ~ trigger.getKey() ~ " for job: " ~ detail.getKey() + // " failed because the trigger already existed. " ~ // "This is likely due to a race condition between multiple instances " ~ // "in the cluster. Will try to reschedule instead."); // } // // Let's try one more time as reschedule. // sched.rescheduleJob(trigger.getKey(), trigger); // } // } // } // } // } // // add triggers that weren't associated with a new job... (those we already handled were removed above) // foreach(MutableTrigger trigger; triggers) { // if(trigger.getStartTime() is null) { // trigger.setStartTime(new LocalDateTime()); // } // Trigger dupeT = sched.getTrigger(trigger.getKey()); // if (dupeT !is null) { // if(isOverWriteExistingData()) { // version(HUNT_DEBUG) { // trace( // "Rescheduling job: " ~ trigger.getJobKey() ~ " with updated trigger: " ~ trigger.getKey()); // } // } // else if(isIgnoreDuplicates()) { // info("Not overwriting existing trigger: " ~ dupeT.getKey()); // continue; // just ignore the trigger // } // else { // throw new ObjectAlreadyExistsException(trigger); // } // if(!dupeT.getJobKey()== trigger.getJobKey()) { // log.warn("Possibly duplicately named ({}) triggers in jobs xml file! ", trigger.getKey()); // } // sched.rescheduleJob(trigger.getKey(), trigger); // } else { // version(HUNT_DEBUG) { // trace( // "Scheduling job: " ~ trigger.getJobKey() ~ " with trigger: " ~ trigger.getKey()); // } // try { // sched.scheduleJob(trigger); // } catch (ObjectAlreadyExistsException e) { // version(HUNT_DEBUG) { // trace( // "Adding trigger: " ~ trigger.getKey() ~ " for job: " ~trigger.getJobKey() + // " failed because the trigger already existed. " ~ // "This is likely due to a race condition between multiple instances " ~ // "in the cluster. Will try to reschedule instead."); // } // // Let's rescheduleJob one more time. // sched.rescheduleJob(trigger.getKey(), trigger); // } // } // } // } // /** // * ErrorHandler interface. // * // * Receive notification of a warning. // * // * @param e // * The error information encapsulated in a SAX parse exception. // * @exception SAXException // * Any SAX exception, possibly wrapping another exception. // */ // void warning(SAXParseException e) { // addValidationException(e); // } // /** // * ErrorHandler interface. // * // * Receive notification of a recoverable error. // * // * @param e // * The error information encapsulated in a SAX parse exception. // * @exception SAXException // * Any SAX exception, possibly wrapping another exception. // */ // void error(SAXParseException e) { // addValidationException(e); // } // /** // * ErrorHandler interface. // * // * Receive notification of a non-recoverable error. // * // * @param e // * The error information encapsulated in a SAX parse exception. // * @exception SAXException // * Any SAX exception, possibly wrapping another exception. // */ // void fatalError(SAXParseException e) { // addValidationException(e); // } // /** // * Adds a detected validation exception. // * // * @param e // * SAX exception. // */ // protected void addValidationException(SAXException e) { // validationExceptions.add(e); // } // /** // * Resets the the number of detected validation exceptions. // */ // protected void clearValidationExceptions() { // validationExceptions.clear(); // } // /** // * Throws a ValidationException if the number of validationExceptions // * detected is greater than zero. // * // * @exception ValidationException // * DTD validation exception. // */ // protected void maybeThrowValidationException() { // if (validationExceptions.size() > 0) { // throw new ValidationException("Encountered " ~ validationExceptions.size() ~ " validation exceptions.", validationExceptions); // } // } // }
D
CHAIN IF WEIGHT #-1 ~Global("G#XB.AmberKetoBanter1","GLOBAL",1)~ THEN BM#AMBER G#XB.AmberKetoBanter1.1 @0 /* Hmm, I wonder if we'll see any bears out here. Have you heard story of how the bear lost his long tail? */ DO ~SetGlobal("G#XB.AmberKetoBanter1","GLOBAL",2)~ == BAERIE IF ~InParty("Aerie") See("Aerie") !StateCheck("Aerie",CD_STATE_NOTVALID)~ THEN @1 /* But bears don't have long tails, do they? */ == BM#AMBER IF ~InParty("Aerie") See("Aerie") !StateCheck("Aerie",CD_STATE_NOTVALID)~ THEN @2 /* No they don't, not anymore. And I wager that Keto knows the story of how that came to pass. */ == BFWKETO @3 /* You bet I do. */ = @4 /* In the middle of the coldest winter, the fox had been fishing in the fishmonger's cart. While he was enjoying his ill gotten gains, the bear, who had awoken from his slumber, came to him. "How have you gotten such a fine catch of fish", the bear asked him. The cunning fox, who was intent on keeping the source of fish to himself, answered the bear: "I spent the whole night ice-fishing at the village's watering hole on the lake." */ = @5 /* The bear was baffled: "How on earth can you fish when you don't even have a hook, much less a line?" The fox kept spinning his story: "Hear me out and I will tell you how it works. On a starry night I went to the village's watering hole and stuck my tail into the water. For a whole night I sat there without moving a muscle. At the break of dawn I lifted my tail, and behold: there was a fish hanging onto every single one of its hairs." */ = @6 /* "You don't think that it would work for me as well?" ask the bear, pondering on the idea. To this the cunning fox was quick to answer: "It certainly will, and looking at the clear skies, I'd say we can try it as soon as tonight." */ = @7 /* When the short winter's day turned into a night, the bear walked to the watering hole on the ice. In those days, the bear still had a long and luscious tail, not unlike that of the fox. So, the bear sat down and stuck his tail into the freezing water just as the fox had told him to do. Patiently he sat on the ice through the whole night. */ = @8 /* Just before daybreak, the fox came to see how the bear fared as a fisherman. The bear was still sitting at the same spot, and the fox laughed to himself, sure that the tail of the hapless bear had already frozen stuck to the placid surface of the lake. Proud of his malicious prank, the fox ran to the nearest farmer's cottage and jumped on the roof. */ = @9 /* "O-hoy, good wife! The bear is on the lake, soiling your watering hole!" the fox shouted down the chimney to the farmer's wife going about her morning chores. White hot with fury, the old wife rushed out of the cabin and ran down to the lake, alerting the rest of the village wives. */ = @10 /* Meanwhile, the bear was becoming impatient. But silently he sat on, fearful of scaring away the fish. He felt nipping on his tail and was convinced that his catch would be large indeed. But the longer he sat, the more bored he became. Finally the bear moved just a teeny bit. His tail felt heavy and he decided to wait for just a while longer in hopes of an even larger catch. */ = @11 /* As the sky grew paler and the stars faded, the bear suddenly heard a commotion on the shore of the lake. Startled, he looked up and saw the enraged wives, now armed with heavy staves. Moments later, the wives sprinted on the ice screaming viciously. Now the bear really panicked and tried to flee. */ = @12 /* But he was stuck! His tail was stuck in the newly formed ice and there was no escaping the angry wives. The bear pulled and pulled at his tail, growling at the wives who were now mercilessly beating him with their staves. */ == BAERIE IF ~InParty("Aerie") See("Aerie") !StateCheck("Aerie",CD_STATE_NOTVALID)~ THEN @13 /* Oh my! That poor bear! */ == BFWKETO @14 /* Finally, the bear's tail snapped and he got loose, setting out towards the safety of the forest like a hairy brown bolt. Having chased the bear away, the wives made their way back to the shore, wondering what had possessed the bear to freeze his tail in the ice. */ = @15 /* And ever since that day has the bear had a short stub of a tail. */ == BM#AMBER @16 /* For some reason that story always gives me the chuckles. Thank you for the vivid telling, Keto. */ EXIT CHAIN IF WEIGHT #-1 ~Global("G#XB.AmberKetoBanter2.1","GLOBAL",1)~ THEN BFWKETO G#XB.AmberKetoBanter2.1 @17 /* So, Amber, how about a drink? To celebrate our safe arrival on this island. */ DO ~SetGlobal("G#XB.AmberKetoBanter2.1","GLOBAL",2) SetGlobal("G#XB.AmberKetoBanter2Next","GLOBAL",1)~ EXTERN BM#AMBER AmberKetoBanter2.2 CHAIN IF WEIGHT #-1 ~Global("G#XB.AmberKetoBanter2.2","GLOBAL",1)~ THEN BFWKETO G#XB.AmberKetoBanter2.2 @18 /* So, Amber, how about a drink? To celebrate our safe escape from that dungeon. */ DO ~SetGlobal("G#XB.AmberKetoBanter2.1","GLOBAL",2) SetGlobal("G#XB.AmberKetoBanter2Next","GLOBAL",1)~ EXTERN BM#AMBER AmberKetoBanter2.2 CHAIN IF WEIGHT #-1 ~Global("G#XB.AmberKetoBanter2Next","GLOBAL",1)~ THEN BM#AMBER AmberKetoBanter2.2 @19 /* Well, I'm not so sure about the 'safe' part. */ == BFWKETO @20 /* We are safely here, and in good spirits as well. What more could you ask, except for a few mugs of the local wine, of course. How about it? */ == BM#AMBER @21 /* I guess one drink will not hurt. We did get here in one piece, after all - which is much more than I expected. */ == BM#AMBER @22 /* To <CHARNAME> and this fine company, then! */ == BFWKETO @23 /* Cheers! */ EXIT
D
/home/joey/rust-3d/target/release/deps/unicode_xid-b9da019957a5b597.rmeta: /home/joey/.cargo/registry/src/github.com-1ecc6299db9ec823/unicode-xid-0.2.2/src/lib.rs /home/joey/.cargo/registry/src/github.com-1ecc6299db9ec823/unicode-xid-0.2.2/src/tables.rs /home/joey/rust-3d/target/release/deps/libunicode_xid-b9da019957a5b597.rlib: /home/joey/.cargo/registry/src/github.com-1ecc6299db9ec823/unicode-xid-0.2.2/src/lib.rs /home/joey/.cargo/registry/src/github.com-1ecc6299db9ec823/unicode-xid-0.2.2/src/tables.rs /home/joey/rust-3d/target/release/deps/unicode_xid-b9da019957a5b597.d: /home/joey/.cargo/registry/src/github.com-1ecc6299db9ec823/unicode-xid-0.2.2/src/lib.rs /home/joey/.cargo/registry/src/github.com-1ecc6299db9ec823/unicode-xid-0.2.2/src/tables.rs /home/joey/.cargo/registry/src/github.com-1ecc6299db9ec823/unicode-xid-0.2.2/src/lib.rs: /home/joey/.cargo/registry/src/github.com-1ecc6299db9ec823/unicode-xid-0.2.2/src/tables.rs:
D
instance DIA_RUFUS_EXIT(C_INFO) { npc = bau_903_rufus; nr = 999; condition = dia_rufus_exit_condition; information = dia_rufus_exit_info; permanent = 1; description = DIALOG_ENDE; }; func int dia_rufus_exit_condition() { return 1; }; func void dia_rufus_exit_info() { AI_StopProcessInfos(self); }; instance INFO_RUFUS_WASSER(C_INFO) { npc = bau_903_rufus; nr = 800; condition = info_rufus_wasser_condition; information = info_rufus_wasser_info; permanent = 1; description = "Меня послал Лефти. Я принес воды."; }; func int info_rufus_wasser_condition() { var C_NPC lefty; lefty = Hlp_GetNpc(org_844_lefty); if(((LEFTY_MISSION == LOG_RUNNING) || ((LEFTY_MISSION == LOG_SUCCESS) && Npc_HasItems(other,itfo_potion_water_01))) && (self.aivar[AIV_DEALDAY] <= Wld_GetDay()) && (lefty.aivar[AIV_WASDEFEATEDBYSC] == FALSE)) { return 1; }; }; func void info_rufus_wasser_info() { AI_Output(other,self,"Info_Rufus_Wasser_15_00"); //Меня послал Лефти. Я принес воды. if(Npc_HasItems(other,itfo_potion_water_01) >= 1) { b_printtrademsg1("Отдана бутылка воды."); AI_Output(self,other,"Info_Rufus_Wasser_02_01"); //Спасибо, приятель. Меня мучит жажда. b_giveinvitems(other,self,itfo_potion_water_01,1); if(c_bodystatecontains(self,BS_SIT)) { AI_Standup(self); AI_TurnToNPC(self,hero); }; AI_UseItem(self,itfo_potion_water_01); AN_BAUERN_VERTEILT = AN_BAUERN_VERTEILT + 1; if(AN_BAUERN_VERTEILT >= DURSTIGEBAUERN) { LEFTY_MISSION = LOG_SUCCESS; }; self.aivar[AIV_DEALDAY] = Wld_GetDay() + 1; } else { AI_Output(self,other,"Info_Rufus_Wasser_NOWATER_02_00"); //Вода! Эй, парень! Да у тебя же совсем ничего не осталось! Только не говори мне, что ты напоил всех, кроме меня! }; }; instance DIA_RUFUS_HELLO(C_INFO) { npc = bau_903_rufus; nr = 1; condition = dia_rufus_hello_condition; information = dia_rufus_hello_info; permanent = 0; description = "Привет!"; }; func int dia_rufus_hello_condition() { return 1; }; func void dia_rufus_hello_info() { if(KAPITEL == 1) { AI_Output(other,self,"DIA_Rufus_Hello_15_00"); //Привет! Я здесь новенький. Вот, хотел узнать, как тут дела? } else { AI_Output(other,self,"DIA_Ghorim_MissingHarlok_15_00"); //Привет! Как дела? }; AI_Output(self,other,"DIA_Rufus_Hello_02_01"); //Спроси кого-нибудь еще, а? Я просто работаю в поле и ничего не знаю. AI_Output(self,other,"DIA_Rufus_Hello_02_02"); //Эх, парень, я бы с удовольствием предложил нашему Лорду самому заниматься этой чертовой работой! }; instance DIA_RUFUS_WHY(C_INFO) { npc = bau_903_rufus; nr = 1; condition = dia_rufus_why_condition; information = dia_rufus_why_info; permanent = 0; description = "Если тебе не нравится такая работа, тогда почему ты здесь?"; }; func int dia_rufus_why_condition() { if(Npc_KnowsInfo(hero,dia_rufus_hello)) { return 1; }; }; func void dia_rufus_why_info() { var C_NPC ricelord; AI_Output(other,self,"DIA_Rufus_Why_15_00"); //Если тебе не нравится такая работа, тогда почему согласился работать здесь? AI_Output(self,other,"DIA_Rufus_Why_02_01"); //Это случилось в первый же день, после того как я попал сюда. Лефти, один из головорезов Лорда, пришел ко мне и предложил поработать на полях. AI_Output(self,other,"DIA_Rufus_Why_02_02"); //Конечно, я согласился. Я был новичком и хотел стать хоть в чем-то полезным. AI_Output(self,other,"DIA_Rufus_Why_02_03"); //На следующий день, когда я остановился немного передохнуть, этот тип появился снова. AI_Output(self,other,"DIA_Rufus_Why_02_04"); //'Ты же не хочешь, чтобы твои товарищи делали всю работу за тебя, так?' - спросил он. AI_Output(self,other,"DIA_Rufus_Why_02_05"); //Я сказал ему, что окончательно вымотался в первый же день, что мне нужен отдых и все такое... Но он даже не слушал. AI_Output(self,other,"DIA_Rufus_Why_02_06"); //Просто ухватил меня за воротник и потащил обратно в поле. AI_Output(self,other,"DIA_Rufus_Why_02_07"); //С того случая он каждый день поджидал меня возле двери. До тех пор, пока я сам не стал ходить на работу. Не хочу ссориться с этими типами. AI_Output(self,other,"DIA_Rufus_Why_02_08"); //Это настоящие головорезы, и лучше держаться от них подальше. ricelord = Hlp_GetNpc(bau_900_ricelord); ricelord.aivar[AIV_FINDABLE] = TRUE; }; instance DIA_RUFUS_RICELORD(C_INFO) { npc = bau_903_rufus; nr = 2; condition = dia_rufus_ricelord_condition; information = dia_rufus_ricelord_info; permanent = 1; description = "Кто он такой, этот Лорд?"; }; func int dia_rufus_ricelord_condition() { if(Npc_KnowsInfo(hero,dia_rufus_hello)) { return 1; }; }; func void dia_rufus_ricelord_info() { var C_NPC ricelord; AI_Output(other,self,"DIA_Rufus_Ricelord_15_00"); //Кто он такой, этот Лорд? AI_Output(self,other,"DIA_Rufus_Ricelord_02_01"); //Он появился здесь одним из первых, помог основать лагерь и засеять рисовые поля. AI_Output(self,other,"DIA_Rufus_Ricelord_02_02"); //Сейчас сидит без дела у себя в амбаре. Старый толстяк, отъелся, как свинья. ricelord = Hlp_GetNpc(bau_900_ricelord); ricelord.aivar[AIV_FINDABLE] = TRUE; }; instance INFO_RUFUS_WASSER_NOLEFTY(C_INFO) { npc = bau_903_rufus; nr = 800; condition = info_rufus_wasser_nolefty_condition; information = info_rufus_wasser_nolefty_info; permanent = 1; description = "Я принес тебе воды."; }; func int info_rufus_wasser_nolefty_condition() { var C_NPC lefty; lefty = Hlp_GetNpc(org_844_lefty); if(Npc_HasItems(other,itfo_potion_water_01) && (lefty.aivar[AIV_WASDEFEATEDBYSC] == TRUE) && (self.aivar[AIV_DEALDAY] <= Wld_GetDay())) { return 1; }; }; func void info_rufus_wasser_nolefty_info() { AI_Output(other,self,"Info_Wasser_NoLefty"); //Я принес тебе воды. b_printtrademsg1("Отдана бутылка воды."); AI_Output(self,other,"Info_Rufus_Wasser_02_01"); //Спасибо, приятель. Меня мучит жажда. self.aivar[AIV_DEALDAY] = Wld_GetDay() + 1; b_giveinvitems(other,self,itfo_potion_water_01,1); if(c_bodystatecontains(self,BS_SIT)) { AI_Standup(self); AI_TurnToNPC(self,hero); }; AI_UseItem(self,itfo_potion_water_01); }; instance DIA_RUFUS_HELLO2(C_INFO) { npc = bau_903_rufus; nr = 1; condition = dia_rufus_hello2_condition; information = dia_rufus_hello2_info; permanent = 0; important = 1; }; func int dia_rufus_hello2_condition() { var C_NPC lefty; lefty = Hlp_GetNpc(org_844_lefty); if(lefty.aivar[AIV_WASDEFEATEDBYSC] == TRUE) { return 1; }; }; func void dia_rufus_hello2_info() { AI_Output(self,other,"SVM_2_HeDeservedIt"); //Он получил по заслугам. AI_StopProcessInfos(self); };
D
/home/carlos/CodigoFacilito/Rust/tuplas/target/debug/deps/tuplas-95b70dc024227633: src/main.rs /home/carlos/CodigoFacilito/Rust/tuplas/target/debug/deps/tuplas-95b70dc024227633.d: src/main.rs src/main.rs:
D
/Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Build/Intermediates/Pods.build/Debug-iphonesimulator/MapboxSceneKit.build/Objects-normal/x86_64/AsyncOperation.o : /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/MapboxHTTPAPI.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/MapboxImageAPI.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/TerrainNode.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Math.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/AsyncOperation.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/HTTPRequestOperation.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/ImageBuilder.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Extensions/CGExtensions.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Extensions/SCNExtensions.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/ModelIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/GLKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SceneKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/NSData+MMEGZIP.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/Target\ Support\ Files/MapboxMobileEvents/MapboxMobileEvents-umbrella.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/Target\ Support\ Files/MapboxSceneKit/MapboxSceneKit-umbrella.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMECommonEventData.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventsService.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Pinning/TSKSPKIHashCache.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidator_Private.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKTrustKitConfig.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKLog.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidatorCallback.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Pinning/TSKPublicKeyAlgorithm.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKTrustDecision.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEUINavigation.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventsConfiguration.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/parse_configuration.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMECategoryLoader.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMELocationManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMETimerManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventsManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEDependencyManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventLogger.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Pinning/ssl_pin_verifier.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEUniqueIdentifier.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/vendor_identifier.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventLogReportViewController.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMENSDateWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMENSURLSessionWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEUIApplicationWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMETrustKitWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/TSKReportsRateLimiter.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/TSKBackgroundReporter.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidator.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMETypes.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/reporting_utils.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/configuration_utils.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEConstants.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/CLLocation+MMEMobileEvents.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MapboxMobileEvents.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TrustKit.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidatorResult.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEAPIClient.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEvent.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/TSKPinFailureReport.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/Reachability/MMEReachability.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Build/Intermediates/Pods.build/Debug-iphonesimulator/MapboxSceneKit.build/unextended-module.modulemap /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Build/Intermediates/Pods.build/Debug-iphonesimulator/MapboxMobileEvents.build/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/ModelIO.framework/Headers/ModelIO.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/CoreLocation.framework/Headers/CoreLocation.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/GLKit.framework/Headers/GLKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/SceneKit.framework/Headers/SceneKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Build/Intermediates/Pods.build/Debug-iphonesimulator/MapboxSceneKit.build/Objects-normal/x86_64/AsyncOperation~partial.swiftmodule : /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/MapboxHTTPAPI.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/MapboxImageAPI.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/TerrainNode.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Math.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/AsyncOperation.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/HTTPRequestOperation.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/ImageBuilder.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Extensions/CGExtensions.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Extensions/SCNExtensions.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/ModelIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/GLKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SceneKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/NSData+MMEGZIP.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/Target\ Support\ Files/MapboxMobileEvents/MapboxMobileEvents-umbrella.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/Target\ Support\ Files/MapboxSceneKit/MapboxSceneKit-umbrella.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMECommonEventData.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventsService.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Pinning/TSKSPKIHashCache.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidator_Private.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKTrustKitConfig.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKLog.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidatorCallback.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Pinning/TSKPublicKeyAlgorithm.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKTrustDecision.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEUINavigation.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventsConfiguration.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/parse_configuration.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMECategoryLoader.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMELocationManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMETimerManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventsManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEDependencyManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventLogger.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Pinning/ssl_pin_verifier.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEUniqueIdentifier.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/vendor_identifier.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventLogReportViewController.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMENSDateWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMENSURLSessionWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEUIApplicationWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMETrustKitWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/TSKReportsRateLimiter.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/TSKBackgroundReporter.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidator.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMETypes.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/reporting_utils.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/configuration_utils.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEConstants.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/CLLocation+MMEMobileEvents.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MapboxMobileEvents.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TrustKit.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidatorResult.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEAPIClient.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEvent.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/TSKPinFailureReport.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/Reachability/MMEReachability.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Build/Intermediates/Pods.build/Debug-iphonesimulator/MapboxSceneKit.build/unextended-module.modulemap /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Build/Intermediates/Pods.build/Debug-iphonesimulator/MapboxMobileEvents.build/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/ModelIO.framework/Headers/ModelIO.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/CoreLocation.framework/Headers/CoreLocation.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/GLKit.framework/Headers/GLKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/SceneKit.framework/Headers/SceneKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Build/Intermediates/Pods.build/Debug-iphonesimulator/MapboxSceneKit.build/Objects-normal/x86_64/AsyncOperation~partial.swiftdoc : /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/MapboxHTTPAPI.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/MapboxImageAPI.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/TerrainNode.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Math.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/AsyncOperation.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/HTTPRequestOperation.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Tile\ Fetching/ImageBuilder.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Extensions/CGExtensions.swift /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxSceneKit/MapboxSceneKit/Extensions/SCNExtensions.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/ModelIO.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/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/GLKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SceneKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/NSData+MMEGZIP.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/Target\ Support\ Files/MapboxMobileEvents/MapboxMobileEvents-umbrella.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/Target\ Support\ Files/MapboxSceneKit/MapboxSceneKit-umbrella.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMECommonEventData.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventsService.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Pinning/TSKSPKIHashCache.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidator_Private.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKTrustKitConfig.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKLog.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidatorCallback.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Pinning/TSKPublicKeyAlgorithm.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKTrustDecision.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEUINavigation.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventsConfiguration.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/parse_configuration.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMECategoryLoader.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMELocationManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMETimerManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventsManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEDependencyManager.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventLogger.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Pinning/ssl_pin_verifier.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEUniqueIdentifier.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/vendor_identifier.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEventLogReportViewController.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMENSDateWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMENSURLSessionWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEUIApplicationWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMETrustKitWrapper.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/TSKReportsRateLimiter.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/TSKBackgroundReporter.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidator.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMETypes.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/reporting_utils.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/configuration_utils.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEConstants.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/CLLocation+MMEMobileEvents.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MapboxMobileEvents.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TrustKit.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/TSKPinningValidatorResult.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEAPIClient.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/MMEEvent.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/vendor/TrustKit/Reporting/TSKPinFailureReport.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Pods/MapboxMobileEvents/MapboxMobileEvents/Reachability/MMEReachability.h /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Build/Intermediates/Pods.build/Debug-iphonesimulator/MapboxSceneKit.build/unextended-module.modulemap /Users/Lorenzo/Desktop/Mapbox-3d/EO18_3/Build/Intermediates/Pods.build/Debug-iphonesimulator/MapboxMobileEvents.build/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/ModelIO.framework/Headers/ModelIO.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/CoreLocation.framework/Headers/CoreLocation.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/GLKit.framework/Headers/GLKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/WebKit.framework/Headers/WebKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/SceneKit.framework/Headers/SceneKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
/Users/julia/ruhackathon/target/rls/debug/build/syn-2f61fa8ac96b1b50/build_script_build-2f61fa8ac96b1b50: /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/syn-1.0.73/build.rs /Users/julia/ruhackathon/target/rls/debug/build/syn-2f61fa8ac96b1b50/build_script_build-2f61fa8ac96b1b50.d: /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/syn-1.0.73/build.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/syn-1.0.73/build.rs:
D
/* * This file is part of OpenGrafik. * * Copyright (C) 2008 Frederic-Gerald Morcos <fred.morcos@gmail.com> * * OpenGrafik 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. * * OpenGrafik 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 OpenGrafik. If not, see <http://www.gnu.org/licenses/>. */ module Main; private import app.Application, gtk.Main; int main (string[] args) { Main.init(args); new Application(); Main.run(); return 0; }
D
/Users/tarunsingh/Desktop/RustPractice/target/rls/debug/deps/RustPractice-9b7a4cc3c4f62b67.rmeta: src/main.rs /Users/tarunsingh/Desktop/RustPractice/target/rls/debug/deps/RustPractice-9b7a4cc3c4f62b67.d: src/main.rs src/main.rs:
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])); } } } } alias W = Tuple!(int, "d", int, "c", int, "w"); void main() { int N; get(N); W[] WS; get_lines(N, WS); sort!"a.d < b.d"(WS); auto DP = new long[][](5000 + 2, N + 1); foreach (i; 0..5001) { foreach (j; 0..N) { DP[i][j + 1] = max(DP[i][j + 1], DP[i][j]); if (i + WS[j].c <= WS[j].d) DP[i + WS[j].c][j + 1] = max(DP[i + WS[j].c][j + 1], DP[i][j] + WS[j].w); } DP[i + 1][N] = max(DP[i + 1][N], DP[i][N]); } writeln(DP[5001].maxElement()); }
D
/Users/lanussebaptiste/Desktop/CubeSavinien/Build/Intermediates/CubeSavinien.build/Debug-iphoneos/CubeSavinien.build/Objects-normal/armv7/OvalLayer.o : /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/BottomViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RightViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TopViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/OvalLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/HolderView.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/FrontViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RectangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/LeftViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ArcLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TriangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/Colors.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ContainerViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreImage.swiftmodule /Users/lanussebaptiste/Desktop/CubeSavinien/Build/Intermediates/CubeSavinien.build/Debug-iphoneos/CubeSavinien.build/Objects-normal/armv7/OvalLayer~partial.swiftmodule : /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/BottomViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RightViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TopViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/OvalLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/HolderView.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/FrontViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RectangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/LeftViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ArcLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TriangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/Colors.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ContainerViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreImage.swiftmodule /Users/lanussebaptiste/Desktop/CubeSavinien/Build/Intermediates/CubeSavinien.build/Debug-iphoneos/CubeSavinien.build/Objects-normal/armv7/OvalLayer~partial.swiftdoc : /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/BottomViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RightViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TopViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/OvalLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/HolderView.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/FrontViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RectangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/LeftViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ArcLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TriangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/Colors.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ContainerViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreImage.swiftmodule
D
func void B_Say_AttackEnd() { var int rnd; var int random; var int randy; if((self.aivar[AIV_ATTACKREASON] == AR_GuildEnemy) || (self.aivar[AIV_ATTACKREASON] == AR_MonsterMurderedHuman)) { if(other.guild < GIL_SEPERATOR_HUM) { if(!Npc_IsDead(other)) { if(self.aivar[AIV_LASTTARGET] == Hlp_GetInstanceID(other)) { B_Say(self,other,"$KILLENEMY"); } else { B_Say(self,other,"$GOODKILL"); }; } else { B_Say(self,other,"$ENEMYKILLED"); }; } else { if(self.aivar[AIV_PARTYMEMBER] == TRUE) { rnd = Hlp_Random(100); if((rnd > 15) && (other.guild != GIL_DRAGON)) { return; }; }; if(other.aivar[AIV_KilledByPlayer] == FALSE) { if(self.voice == 9) { random = Hlp_Random(2); if(random == 0) { B_Say(self,other,"$ADDON_MONSTERKILLED"); } else { B_Say(self,other,"$ADDON_MONSTERKILLED2"); }; } else if(self.voice == 12) { if((Hlp_GetInstanceID(self) == Hlp_GetInstanceID(GornOW)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(GornDJG)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(GornNW_vor_DJG)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(GornNW_nach_DJG)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Gorn_DI))) { randy = Hlp_Random(2); if(randy == 0) { B_Say(self,other,"$ADDON_MONSTERKILLED"); } else { B_Say(self,other,"$MONSTERKILLED"); }; } else { B_Say(self,other,"$ADDON_MONSTERKILLED"); }; } else { B_Say(self,other,"$MONSTERKILLED"); }; } else { B_Say(self,other,"$GOODMONSTERKILL"); }; }; return; }; if(self.aivar[AIV_ATTACKREASON] == AR_Theft) { B_Say(self,other,"$THIEFDOWN"); return; }; if(self.aivar[AIV_ATTACKREASON] == AR_UseMob) { B_Say(self,other,"$RUMFUMMLERDOWN"); return; }; if(self.aivar[AIV_ATTACKREASON] == AR_SheepKiller) { if(other.guild < GIL_SEPERATOR_HUM) { B_Say(self,other,"$SHEEPATTACKERDOWN"); } else { B_Say(self,other,"$MONSTERKILLED"); }; return; }; if(self.aivar[AIV_ATTACKREASON] == AR_HumanMurderedHuman) { if(!Npc_IsDead(other)) { if(self.aivar[AIV_LASTTARGET] == Hlp_GetInstanceID(other)) { B_Say(self,other,"$KILLMURDERER"); } else { B_Say(self,other,"$GOODKILL"); }; } else { B_Say(self,other,"$ENEMYKILLED"); }; return; }; if(self.aivar[AIV_ATTACKREASON] == AR_MonsterVsHuman) { if((self.voice == 9) || (self.voice == 12)) { B_Say(self,other,"$ADDON_MONSTERKILLED"); } else { B_Say(self,other,"$MONSTERKILLED"); }; return; }; if(self.aivar[AIV_ATTACKREASON] == AR_MonsterCloseToGate) { B_Say(self,other,"$STUPIDBEASTKILLED"); return; }; if(self.aivar[AIV_ATTACKREASON] == AR_ReactToDamage) { B_Say(self,other,"$NEVERHITMEAGAIN"); return; }; if(self.aivar[AIV_ATTACKREASON] == AR_ReactToWeapon) { B_Say(self,other,"$YOUBETTERSHOULDHAVELISTENED"); return; }; if((self.aivar[AIV_ATTACKREASON] == AR_ClearRoom) || (self.aivar[AIV_ATTACKREASON] == AR_GuardCalledToRoom)) { if(C_NpcIsBotheredByPlayerRoomGuild(self)) { B_Say(self,other,"$GETUPANDBEGONE"); } else { B_Say(self,other,"$NEVERENTERROOMAGAIN"); }; return; }; if(self.aivar[AIV_ATTACKREASON] == AR_LeftPortalRoom) { B_Say(self,other,"$NEVERENTERROOMAGAIN"); return; }; if(self.aivar[AIV_ATTACKREASON] == AR_GuardStopsIntruder) { B_Say(self,other,"$KILLENEMY"); return; }; if(self.aivar[AIV_ATTACKREASON] == AR_GuardStopsFight) { if((other.guild != GIL_SLD) && (other.guild != GIL_DJG)) { B_Say(self,other,"$THEREISNOFIGHTINGHERE"); }; return; }; if(self.aivar[AIV_ATTACKREASON] == AR_GuardCalledToThief) { B_Say(self,other,"$RUMFUMMLERDOWN"); return; }; };
D
/* TEST_OUTPUT: --- fail_compilation/fail7424i.d(10): Error: template `this.g()()` has no value --- */ struct S7424g { @property int g()() immutable { return 0; } void test() inout { int f = g; } }
D
instance DIA_KATI_EXIT(C_INFO) { npc = bau_941_kati; nr = 999; condition = dia_kati_exit_condition; information = dia_kati_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_kati_exit_condition() { if(KAPITEL < 3) { return TRUE; }; }; func void dia_kati_exit_info() { AI_StopProcessInfos(self); }; instance DIA_KATI_SLDNOCHDA(C_INFO) { npc = bau_941_kati; nr = 4; condition = dia_kati_sldnochda_condition; information = dia_kati_sldnochda_info; important = TRUE; permanent = TRUE; }; func int dia_kati_sldnochda_condition() { if(!Npc_IsDead(alvares) && !Npc_IsDead(engardo) && Npc_IsInState(self,zs_talk)) { return TRUE; }; }; func void dia_kati_sldnochda_info() { var int hilfe; if(hilfe == FALSE) { AI_Output(self,other,"DIA_Kati_SLDNOCHDA_16_00"); //Эти головорезы угрожают моему мужу! Мы простые граждане Хориниса, преданные королю, а эти наемники хотят ограбить нас! hilfe = TRUE; }; AI_Output(self,other,"DIA_Kati_SLDNOCHDA_16_01"); //Ну не стой же здесь. Сделай что-нибудь! Помоги нам! AKILS_SLDSTILLTHERE = TRUE; Log_CreateTopic(TOPIC_AKILSSLDSTILLTHERE,LOG_MISSION); Log_SetTopicStatus(TOPIC_AKILSSLDSTILLTHERE,LOG_RUNNING); b_logentry(TOPIC_AKILSSLDSTILLTHERE,"Фермеру Акилу угрожают наемники."); AI_StopProcessInfos(self); }; instance DIA_KATI_HALLO(C_INFO) { npc = bau_941_kati; nr = 5; condition = dia_kati_hallo_condition; information = dia_kati_hallo_info; permanent = FALSE; description = "Все в порядке?"; }; func int dia_kati_hallo_condition() { if(Npc_IsDead(alvares) && Npc_IsDead(engardo)) { return TRUE; }; }; func void dia_kati_hallo_info() { AI_Output(other,self,"DIA_Kati_HALLO_15_00"); //С тобой все в порядке? if(Npc_IsDead(akil)) { AI_Output(self,other,"DIA_Kati_HALLO_16_01"); //(рыдает) Мой любимый муж мертв! Ох, Иннос, за что ты меня так наказываешь?! Npc_ExchangeRoutine(self,"Start"); b_startotherroutine(randolph,"Start"); b_giveplayerxp(XP_AKIL_TOT); } else { AI_Output(self,other,"DIA_Kati_HALLO_16_02"); //Да, я в порядке, спасибо. }; }; instance DIA_KATI_ESSEN(C_INFO) { npc = bau_941_kati; nr = 12; condition = dia_kati_essen_condition; information = dia_kati_essen_info; permanent = FALSE; description = "Акил говорит, что ты можешь накормить меня."; }; func int dia_kati_essen_condition() { if((KATI_MAHLZEIT == TRUE) && (Npc_IsDead(akil) == FALSE)) { return TRUE; }; }; func void dia_kati_essen_info() { AI_Output(other,self,"DIA_Kati_ESSEN_15_00"); //Акил говорит, что ты можешь накормить меня. AI_Output(self,other,"DIA_Kati_ESSEN_16_01"); //С тех пор как рухнул Барьер, для нас настали тяжелые времена. Жить здесь стало небезопасно. AI_Output(self,other,"DIA_Kati_ESSEN_16_02"); //Вот, держи ломоть хлеба, немного молока и бутылку воды. Извини, но это все, чем мы можем поделиться. b_giveinvitems(self,other,itfo_bread,1); b_giveinvitems(self,other,itfo_water,1); b_giveinvitems(self,other,itfomutton,1); }; instance DIA_KATI_BALTRAM(C_INFO) { npc = bau_941_kati; nr = 4; condition = dia_kati_baltram_condition; information = dia_kati_baltram_info; permanent = FALSE; description = "Меня прислал Бальтрам ..."; }; func int dia_kati_baltram_condition() { if(Npc_IsDead(akil) && (MIS_BALTRAM_SCOUTAKIL == LOG_RUNNING) && (LIEFERUNG_GEHOLT == FALSE)) { return TRUE; }; }; func void dia_kati_baltram_info() { AI_Output(other,self,"DIA_Kati_Baltram_15_00"); //Меня прислал Бальтрам. Я должен забрать посылку для него. AI_Output(self,other,"DIA_Kati_Baltram_16_01"); //Да, конечно. Вот, я уже упаковала ее. CreateInvItems(self,itmi_baltrampaket,1); b_giveinvitems(self,other,itmi_baltrampaket,1); LIEFERUNG_GEHOLT = TRUE; }; instance DIA_KATI_BAUERNAUFSTAND(C_INFO) { npc = bau_941_kati; nr = 6; condition = dia_kati_bauernaufstand_condition; information = dia_kati_bauernaufstand_info; permanent = FALSE; description = "Почему вы не противостоите тирании Онара?"; }; func int dia_kati_bauernaufstand_condition() { if(Npc_KnowsInfo(other,dia_kati_hallo)) { return TRUE; }; }; func void dia_kati_bauernaufstand_info() { AI_Output(other,self,"DIA_Kati_BAUERNAUFSTAND_15_00"); //Почему вы не противостоите тирании Онара? AI_Output(self,other,"DIA_Kati_BAUERNAUFSTAND_16_01"); //Для фермеров, живущих у города, это имеет смысл. Им лучше быть на стороне ополчения, чем полагаться на наемников Онара. AI_Output(self,other,"DIA_Kati_BAUERNAUFSTAND_16_02"); //С другой стороны, есть Бенгар и Секоб, которые скорее откажутся от своих ферм, чем будут работать на короля. }; instance DIA_KATI_ANDEREHOEFE(C_INFO) { npc = bau_941_kati; nr = 7; condition = dia_kati_anderehoefe_condition; information = dia_kati_anderehoefe_info; permanent = FALSE; description = "Где находятся фермы Бенгара и Секоба?"; }; func int dia_kati_anderehoefe_condition() { if(Npc_KnowsInfo(other,dia_kati_bauernaufstand)) { return TRUE; }; }; func void dia_kati_anderehoefe_info() { AI_Output(other,self,"DIA_Kati_ANDEREHOEFE_15_00"); //Где находятся фермы Бенгара и Секоба? AI_Output(self,other,"DIA_Kati_ANDEREHOEFE_16_01"); //Неподалеку от фермы лендлорда. Иди на восток отсюда, и ты найдешь их. }; instance DIA_KATI_HIERWEG(C_INFO) { npc = bau_941_kati; nr = 9; condition = dia_kati_hierweg_condition; information = dia_kati_hierweg_info; permanent = FALSE; description = "А вы не думали о том, чтобы уехать отсюда?"; }; func int dia_kati_hierweg_condition() { if(Npc_KnowsInfo(other,dia_kati_bauernaufstand)) { return TRUE; }; }; func void dia_kati_hierweg_info() { AI_Output(other,self,"DIA_Kati_HIERWEG_15_00"); //А вы не думали о том, чтобы уехать отсюда? AI_Output(self,other,"DIA_Kati_HIERWEG_16_01"); //Не так-то просто уехать из этой части страны. Вся эта земля окружена стеной высоких, непроходимых гор. AI_Output(self,other,"DIA_Kati_HIERWEG_16_02"); //Выбраться отсюда можно только лежит через Долину Рудников или через гавань города. AI_Output(self,other,"DIA_Kati_HIERWEG_16_03"); //Так как мы не можем позволить себе купить место на корабле, а Долина Рудников - это место, откуда не возвращаются, мы вынуждены оставаться здесь. }; instance DIA_KATI_PASS(C_INFO) { npc = bau_941_kati; nr = 10; condition = dia_kati_pass_condition; information = dia_kati_pass_info; permanent = FALSE; description = "Что ты знаешь о Проходе?"; }; func int dia_kati_pass_condition() { if(Npc_KnowsInfo(other,dia_kati_hierweg)) { return TRUE; }; }; func void dia_kati_pass_info() { AI_Output(other,self,"DIA_Kati_PASS_15_00"); //Что ты знаешь о Проходе? AI_Output(self,other,"DIA_Kati_PASS_16_01"); //Сама я там никогда не была. Но я знаю, что он где-то неподалеку от фермы Бенгара на высокогорных пастбищах. }; instance DIA_KATI_PERMKAP1(C_INFO) { npc = bau_941_kati; nr = 11; condition = dia_kati_permkap1_condition; information = dia_kati_permkap1_info; permanent = TRUE; description = "Береги своего мужа."; }; func int dia_kati_permkap1_condition() { if(!c_npcisdown(akil) && Npc_KnowsInfo(other,dia_kati_hallo) && Npc_KnowsInfo(other,dia_kati_bauernaufstand) && Npc_KnowsInfo(other,dia_kati_anderehoefe) && Npc_KnowsInfo(other,dia_kati_hierweg) && Npc_KnowsInfo(other,dia_kati_pass) && (KAPITEL < 3)) { return TRUE; }; }; func void dia_kati_permkap1_info() { AI_Output(other,self,"DIA_Kati_PERMKAP1_15_00"); //Береги своего мужа. AI_Output(self,other,"DIA_Kati_PERMKAP1_16_01"); //Я стараюсь изо всех сил. AI_StopProcessInfos(self); }; instance DIA_KATI_KAP3_EXIT(C_INFO) { npc = bau_941_kati; nr = 999; condition = dia_kati_kap3_exit_condition; information = dia_kati_kap3_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_kati_kap3_exit_condition() { if(KAPITEL == 3) { return TRUE; }; }; func void dia_kati_kap3_exit_info() { AI_StopProcessInfos(self); }; instance DIA_KATI_PERM(C_INFO) { npc = bau_941_kati; nr = 3; condition = dia_kati_perm_condition; information = dia_kati_perm_info; permanent = TRUE; description = "С тобой все в порядке?"; }; func int dia_kati_perm_condition() { if((KAPITEL >= 3) && Npc_KnowsInfo(other,dia_kati_hallo)) { return TRUE; }; }; func void dia_kati_perm_info() { AI_Output(other,self,"DIA_Kati_PERM_15_00"); //С тобой все в порядке? AI_Output(self,other,"DIA_Kati_PERM_16_01"); //Мы справимся. Вот только не знаю, сколько еще нам придется терпеть этих дьяволов в черном. AI_Output(self,other,"DIA_Kati_PERM_16_02"); //Я так долго не вынесу. Они шныряют вокруг дома и везде суют свой нос. }; instance DIA_KATI_KAP4_EXIT(C_INFO) { npc = bau_941_kati; nr = 999; condition = dia_kati_kap4_exit_condition; information = dia_kati_kap4_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_kati_kap4_exit_condition() { if(KAPITEL == 4) { return TRUE; }; }; func void dia_kati_kap4_exit_info() { AI_StopProcessInfos(self); }; instance DIA_KATI_KAP5_EXIT(C_INFO) { npc = bau_941_kati; nr = 999; condition = dia_kati_kap5_exit_condition; information = dia_kati_kap5_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_kati_kap5_exit_condition() { if(KAPITEL == 5) { return TRUE; }; }; func void dia_kati_kap5_exit_info() { AI_StopProcessInfos(self); }; instance DIA_KATI_KAP6_EXIT(C_INFO) { npc = bau_941_kati; nr = 999; condition = dia_kati_kap6_exit_condition; information = dia_kati_kap6_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_kati_kap6_exit_condition() { if(KAPITEL == 6) { return TRUE; }; }; func void dia_kati_kap6_exit_info() { AI_StopProcessInfos(self); }; instance DIA_KATI_PICKPOCKET(C_INFO) { npc = bau_941_kati; nr = 900; condition = dia_kati_pickpocket_condition; information = dia_kati_pickpocket_info; permanent = TRUE; description = PICKPOCKET_20_FEMALE; }; func int dia_kati_pickpocket_condition() { return c_beklauen(13,15); }; func void dia_kati_pickpocket_info() { Info_ClearChoices(dia_kati_pickpocket); Info_AddChoice(dia_kati_pickpocket,DIALOG_BACK,dia_kati_pickpocket_back); Info_AddChoice(dia_kati_pickpocket,DIALOG_PICKPOCKET,dia_kati_pickpocket_doit); }; func void dia_kati_pickpocket_doit() { b_beklauen(); Info_ClearChoices(dia_kati_pickpocket); }; func void dia_kati_pickpocket_back() { Info_ClearChoices(dia_kati_pickpocket); };
D
module LocalDExchange; import std.stdio; import std.math; import std.algorithm; import std.typecons; import std.array; import std.conv; import Types : ETradeSide, Trade, PriceBookEntry, securityInfos; import AbstractDExchange: AbstractDExchange; import LocalDExchangeSession: LocalDExchangeSession; import AbstractDExchangeSession; /* Notes: 1) To represent exact values, prices and interests, we have 3 types of values: 'exchangeValue' (uint), 'faceValue' (real), 'price' (real). 1.1) 'price' and 'faceValue' will be the same if the security is currency based (as opposed to interest based). The functions 'SecurityInfo.exchangeValueToFaceValue()' and 'SecurityInfo.exchangeValueToPrice()' are able to convert 1.2) 'exchangeValue' represents a 'price' or 'faceValue' as an integer -- for currency based securities, this almost always imply multiplying by 100 in the faceValue->exchangeValue direction and deviding otherwise. Apart from the mentioned functions above, 'SecurityInfo.faceValueToExchangeValue()' should be used. */ class LocalDExchange: AbstractDExchange { // event dispatching containers (containing sessions) LocalDExchangeSession[string][securityInfos.length] onExecutionSessionsByParty; // map of sessions that want the 'OrderExecuted' event notification for their orders := {[party]=..., ...} LocalDExchangeSession[][securityInfos.length] onBookSessions; // array of sessions that want the 'BookChanged' events LocalDExchangeSession[][securityInfos.length] onTradeSessions; // array of sessions that want the 'Trade' events' LocalDExchangeSession[][securityInfos.length] onAdditionAndCancellationSessions; // array of sessions that want the order 'Addition' and 'Cancellation' events void resetSessions() { for (uint i=0; i<securityInfos.length; i++) { onExecutionSessionsByParty[i].clear(); onBookSessions[i].length = 0; onTradeSessions[i].length = 0; onAdditionAndCancellationSessions[i].length = 0; } } /** adds the 'session' to the event dispatching containers */ void registerSession(LocalDExchangeSession session) { uint securityId = session.securityId; uint onBookSessionsIndex = cast(uint)onBookSessions[securityId].countUntil(session); uint onTradeSessionsIndex = cast(uint)onTradeSessions[securityId].countUntil(session); uint onAdditionAndCancellationSessionsIndex = cast(uint)onAdditionAndCancellationSessions[securityId].countUntil(session); // set onExecutionSessionsByParty[securityId][session.party] = session; // edit or append? if (onBookSessionsIndex == -1u) { onBookSessions[securityId] ~= session; } else { onBookSessions[securityId][onBookSessionsIndex] = session; } if (onTradeSessionsIndex == -1u) { onTradeSessions[securityId] ~= session; } else { onTradeSessions[securityId][onTradeSessionsIndex] = session; } if (onAdditionAndCancellationSessionsIndex == -1u) { onAdditionAndCancellationSessions[securityId] ~= session; } else { onAdditionAndCancellationSessions[securityId][onAdditionAndCancellationSessionsIndex] = session; } } /** removes 'session' from the event dispatching containers */ void unregisterSession(LocalDExchangeSession session) { uint securityId = session.securityId; uint onBookSessionsIndex = cast(uint)onBookSessions[securityId].countUntil(session); uint onTradeSessionsIndex = cast(uint)onTradeSessions[securityId].countUntil(session); uint onAdditionAndCancellationSessionsIndex = cast(uint)onAdditionAndCancellationSessions[securityId].countUntil(session); // remove onExecutionSessionsByParty[securityId].remove(session.party); // really remove? if (onBookSessionsIndex != -1u) { onBookSessions[securityId] = onBookSessions[securityId].remove(onBookSessionsIndex); } if (onTradeSessionsIndex != -1u) { onTradeSessions[securityId] = onTradeSessions[securityId].remove(onTradeSessionsIndex); } if (onAdditionAndCancellationSessionsIndex != -1u) { onAdditionAndCancellationSessions[securityId] = onAdditionAndCancellationSessions[securityId].remove(onAdditionAndCancellationSessionsIndex); } } /** dispatch order 'Addition' events to the appropriate registered 'LocalDExchangeSession's */ override void dispatchAdditionEvents(uint securityId, string party, uint orderId, ETradeSide side, real faceValue, uint quantity) { foreach(session; onAdditionAndCancellationSessions[securityId]) { session.onAddition(securityId, party, orderId, side, faceValue, quantity); } } /** dispatch order 'Cancellation' events to the appropriate registered 'LocalDExchangeSession's */ override void dispatchCancellationEvents(uint securityId, string party, uint orderId, ETradeSide side, real faceValue, uint quantity) { foreach(session; onAdditionAndCancellationSessions[securityId]) { session.onCancellation(securityId, party, orderId, side, faceValue, quantity); } } /** dispatch execution events ('Trade' and 'Execution') to the appropriate registered 'LocalDExchangeSession's */ override void dispatchExecutionEvents(uint securityId, uint aggressedOrderId, uint aggressorOrderId, AbstractDExchangeSession aggressorSession, uint quantity, uint exchangeValue, ETradeSide aggressorSide) { static ulong time = 1000000000; static uint tradeEventId = 0; AbstractDExchangeSession aggressedAbstractSession = trackedOrders[securityId][aggressedOrderId].session; LocalDExchangeSession aggressedLocalSession = cast(LocalDExchangeSession) aggressedAbstractSession; LocalDExchangeSession aggressorLocalSession = cast(LocalDExchangeSession) aggressorSession; Trade trade = Trade(time++, quantity, securityInfos[securityId].exchangeValueToFaceValue(exchangeValue), aggressorSide == ETradeSide.BUY ? aggressorSession.party : aggressedAbstractSession.party, aggressorSide == ETradeSide.BUY ? aggressedAbstractSession.party : aggressorSession.party, "", aggressorOrderId, aggressedOrderId); // dispatch 'Execution' event (priority: aggressed, aggressor orders) //writeln("new TRADE: ", trade, "; aggressed: ", aggressedSession.party, "; aggressorSession: ", aggressorSession.party); if (aggressedLocalSession) { aggressedLocalSession.onExecution(securityId, tradeEventId, aggressedOrderId, trade, false); } else { } if (aggressorLocalSession) { aggressorLocalSession.onExecution(securityId, tradeEventId, aggressorOrderId, trade, true); } foreach (onTradeSession; onTradeSessions[securityId]) { if (onTradeSession != aggressedLocalSession && onTradeSession != aggressorLocalSession) { // dispatch 'Trade' event onTradeSession.onTrade(securityId, tradeEventId, trade, aggressorSide == ETradeSide.SELL); } } } /** dispatches the 'Book' event to all interested 'LocalDExchangeSession's */ override void dispatchBookEvents(uint securityId) { static PriceBookEntry[] bidsPriceBook; static PriceBookEntry[] asksPriceBook; if (onBookSessions.length > 0) { buildPriceBookEntries(securityId, &bidsPriceBook, &asksPriceBook); } foreach (onBookSession; onBookSessions[securityId]) { onBookSession.onBook(securityId, cast(immutable)&bidsPriceBook, cast(immutable)&asksPriceBook); } } }
D
func void ZS_Stand_RangerMeeting() { Perception_Set_Minimal(); B_ResetAll(self); self.senses = SENSE_SEE | SENSE_HEAR | SENSE_SMELL; self.senses_range = 500; Npc_SetPercTime(self,1); Npc_PercEnable(self,PERC_ASSESSPLAYER,B_AssessGuidePlayer); Npc_PercEnable(self,PERC_ASSESSENEMY,B_AssessEnemy); if((Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Lares)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Erol)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Greg_NW))) { Npc_PercEnable(self,PERC_ASSESSTALK,B_AssessTalk); }; Npc_PercEnable(self,PERC_MOVEMOB,B_MoveMob); Npc_PercEnable(self,PERC_ASSESSFIGHTSOUND,B_AssessGuideFightSound); if((Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Lares)) || (Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Greg_NW))) { AI_SetWalkMode(self,NPC_RUN); if(Npc_GetDistToWP(self,self.wp) > TA_DIST_SELFWP_MAX) { AI_GotoWP(self,self.wp); }; AI_AlignToWP(self); AI_PlayAni(self,"T_STAND_2_HGUARD"); } else { AI_SetWalkMode(self,NPC_WALK); if(Npc_GetDistToWP(self,self.wp) > TA_DIST_SELFWP_MAX) { AI_GotoWP(self,self.wp); }; self.aivar[AIV_TAPOSITION] = NOTINPOS; }; }; func int ZS_Stand_RangerMeeting_Loop() { var int random; if(Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Lares)) { if(Npc_GetStateTime(self) > 5) { random = Hlp_Random(2); if(random == 0) { AI_PlayAni(self,"T_HGUARD_LOOKAROUND"); }; Npc_SetStateTime(self,0); }; } else { if(Npc_IsOnFP(self,"STAND")) { AI_AlignToFP(self); if(self.aivar[AIV_TAPOSITION] == NOTINPOS_WALK) { self.aivar[AIV_TAPOSITION] = NOTINPOS; }; } else if(Wld_IsFPAvailable(self,"STAND")) { AI_GotoFP(self,"STAND"); AI_Standup(self); AI_AlignToFP(self); self.aivar[AIV_TAPOSITION] = NOTINPOS_WALK; } else { AI_AlignToWP(self); if(self.aivar[AIV_TAPOSITION] == NOTINPOS_WALK) { self.aivar[AIV_TAPOSITION] = NOTINPOS; }; }; if(self.aivar[AIV_TAPOSITION] == NOTINPOS) { AI_Standup(self); AI_PlayAni(self,"T_STAND_2_LGUARD"); self.aivar[AIV_TAPOSITION] = ISINPOS; }; if((Npc_GetStateTime(self) > 5) && (self.aivar[AIV_TAPOSITION] == ISINPOS)) { random = Hlp_Random(7); if(random == 0) { AI_PlayAni(self,"T_LGUARD_SCRATCH"); } else if(random == 1) { AI_PlayAni(self,"T_LGUARD_STRETCH"); } else if(random == 2) { AI_PlayAni(self,"T_LGUARD_CHANGELEG"); }; Npc_SetStateTime(self,0); }; }; return LOOP_CONTINUE; }; func void ZS_Stand_RangerMeeting_End() { if(Hlp_GetInstanceID(self) == Hlp_GetInstanceID(Lares)) { } else { AI_PlayAni(self,"T_LGUARD_2_STAND"); }; };
D
(nontechnical usage) a tiny piece of anything
D
/Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Fluent.build/Model/Model+CRUD.swift.o : /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/ID.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/Model+CRUD.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Utilities/Deprecated.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/MigrateCommand.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/RevertCommand.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/SoftDeletable.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/MigrationConfig.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Join/JoinSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/MigrationSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Query/QuerySupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/MigrationLog.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/Model.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/AnyModel.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Relations/Children.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/Migration.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/AnyMigration.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/FluentProvider.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaBuilder.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaUpdater.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Utilities/FluentError.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaCreator.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Relations/Siblings.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/Migrations.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/AnyMigrations.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Utilities/Exports.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Relations/Parent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/ModelEvent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/Pivot.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Cache/CacheEntry.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Query/FluentProperty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Command.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIOAtomics/include/cpp_magic.h /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIODarwin/include/c_nio_darwin.h /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIOAtomics/include/c-atomics.h /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIOLinux/include/c_nio_linux.h /Users/nice/HelloWord/.build/checkouts/swift-nio-zlib-support.git--6556802241718767980/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/nice/HelloWord/.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/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Fluent.build/Model+CRUD~partial.swiftmodule : /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/ID.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/Model+CRUD.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Utilities/Deprecated.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/MigrateCommand.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/RevertCommand.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/SoftDeletable.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/MigrationConfig.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Join/JoinSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/MigrationSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Query/QuerySupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/MigrationLog.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/Model.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/AnyModel.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Relations/Children.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/Migration.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/AnyMigration.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/FluentProvider.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaBuilder.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaUpdater.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Utilities/FluentError.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaCreator.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Relations/Siblings.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/Migrations.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/AnyMigrations.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Utilities/Exports.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Relations/Parent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/ModelEvent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/Pivot.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Cache/CacheEntry.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Query/FluentProperty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Command.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIOAtomics/include/cpp_magic.h /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIODarwin/include/c_nio_darwin.h /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIOAtomics/include/c-atomics.h /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIOLinux/include/c_nio_linux.h /Users/nice/HelloWord/.build/checkouts/swift-nio-zlib-support.git--6556802241718767980/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/nice/HelloWord/.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/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Fluent.build/Model+CRUD~partial.swiftdoc : /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/ID.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaSupporting+CRUD.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/Model+CRUD.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+CRUD.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Utilities/Deprecated.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/MigrateCommand.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/RevertCommand.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Decode.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Range.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/SoftDeletable.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Aggregate.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/MigrationConfig.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Join/JoinSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/MigrationSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Transaction/TransactionSupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Query/QuerySupporting.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/MigrationLog.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Model.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/Model.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/AnyModel.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Relations/Children.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Join/QueryBuilder+Join.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaSupporting+Migration.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/Migration.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/AnyMigration.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Run.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/FluentProvider.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaBuilder.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaUpdater.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Filter.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Utilities/FluentError.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/SchemaCreator.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Schema/DatabasesConfig+References.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Relations/Siblings.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/Migrations.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Migration/AnyMigrations.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Operators.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Utilities/Exports.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Relations/Parent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Service/CommandConfig+Fluent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Cache/KeyedCacheSupporting+Fluent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Database/DatabaseConnection+Fluent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/ModelEvent.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Model/Pivot.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/QueryBuilder/QueryBuilder+Sort.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Cache/CacheEntry.swift /Users/nice/HelloWord/.build/checkouts/fluent.git-6829944210039798771/Sources/Fluent/Query/FluentProperty.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Command.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Console.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/DatabaseKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIOAtomics/include/cpp_magic.h /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIODarwin/include/c_nio_darwin.h /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIOAtomics/include/c-atomics.h /Users/nice/HelloWord/.build/checkouts/swift-nio.git-5005363973595484456/Sources/CNIOLinux/include/c_nio_linux.h /Users/nice/HelloWord/.build/checkouts/swift-nio-zlib-support.git--6556802241718767980/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/nice/HelloWord/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/nice/HelloWord/.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/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
module Guigle.Panel; // Copyright Stephen Jones 2013. // Distributed under the Boost Software License, Version 1.0. // (See accompanying file LICENSE_1_0.txt or copy at // http://www.boost.org/LICENSE_1_0.txt) import std.stdio; import std.string; import std.conv; import std.file; import std.array; import derelict.opengl3.gl3; import derelict.sdl2.sdl; import derelict.sdl2.image; import derelict.sdl2.ttf; import Guigle.Global; class Panel{ private Global dat; private float sx, sy, sw, sh; private int wx, wy, ww, wh; private int minx, maxx, miny, maxy; private SDL_Color col; package int vertStart, vertCount=6; package uint tid; package this(string style){ this.dat = Global.getInstance(); int xorig, yorig; string[] data = split(style); ubyte r, g, b, a = 255; foreach(string s; data){ if(startsWith(s, "x:"))wx = to!(int)(text(chompPrefix(s, "x:"))); if(startsWith(s, "y:"))wy = to!(int)(text(chompPrefix(s, "y:"))); if(startsWith(s, "w:"))ww = to!(int)(text(chompPrefix(s, "w:"))); if(startsWith(s, "h:"))wh = to!(int)(text(chompPrefix(s, "h:"))); if(startsWith(s, "r:"))r = to!(ubyte)(text(chompPrefix(s, "r:"))); if(startsWith(s, "g:"))g = to!(ubyte)(text(chompPrefix(s, "g:"))); if(startsWith(s, "b:"))b = to!(ubyte)(text(chompPrefix(s, "b:"))); } col=SDL_Color(r, g, b, a); xorig = wx - cast(int)(dat.halfw); yorig = wy - cast(int)(dat.halfh); minx = xorig - 10; maxx = xorig + ww -10; miny = yorig - 25; maxy = yorig + wh - 25; sx = xorig * dat.unitw; sy = yorig * dat.unith; sw = ww * dat.unitw; sh = wh * dat.unith; getTexture(); } private void getTexture(){ SDL_Surface *base=SDL_CreateRGBSurface(0, ww, wh, 32, 0, 0, 0, 0); assert(base); SDL_FillRect(base, null, SDL_MapRGBA(dat.fmt, col.r, col.g, col.b, col.unused)); glPixelStorei(GL_UNPACK_ALIGNMENT, 4); tid=0; glGenTextures(1, &tid); assert(tid > 0); glBindTexture(GL_TEXTURE_2D, tid); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_S, GL_REPEAT); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_T, GL_REPEAT); glTexImage2D(GL_TEXTURE_2D, 0, GL_RGBA, base.w, base.h, 0, GL_RGBA, GL_UNSIGNED_BYTE, base.pixels); glBindTexture(GL_TEXTURE_2D, 0); SDL_FreeSurface(base); } public void getData(ref float[] v, ref float[] c, ref int offset){ vertStart=offset; offset+=vertCount; v~=sx; v~=sy; v~=-1.0; v~=sx + sw; v~=sy; v~=-1.0; v~=sx + sw; v~=sy + sh; v~=-1.0; v~=sx; v~=sy; v~=-1.0; v~=sx + sw; v~=sy + sh; v~=-1.0; v~=sx; v~=sy + sh; v~=-1.0; c~=0.0; c~=1.0; c~=1.0; c~=1.0; c~=1.0; c~=0.0; c~=0.0; c~=1.0; c~=1.0; c~=0.0; c~=0.0; c~=0.0; } public void quit(){ glDeleteTextures(1, &tid); } }
D
module owlchain.crypto.pubkey; import std.digest.sha; import std.digest.ripemd; import owlchain.api.api : IAddress; /++ // account address space & serialization Bitcoin Address - https://en.bitcoin.it/wiki/Address base58 - https://en.bitcoin.it/wiki/Base58Check_encoding Pay-to-script-hash (p2sh): payload is: RIPEMD160(SHA256(redeemScript)) where redeemScript is a script the wallet knows how to spend; version 0x05 (these addresses begin with the digit '3') Pay-to-pubkey-hash (p2pkh): payload is RIPEMD160(SHA256(ECDSA_publicKey)) where ECDSA_publicKey is a public key the wallet knows the private key for; version 0x00 (these addresses begin with the digit '1') RIPEMD160 - https://en.bitcoin.it/wiki/RIPEMD-160 Common P2PKH which begin with the number 1, eg: 1BvBMSEYstWetqTFn5Au4m4GFg7xJaNVN2. 1234567890123456789012345678901234 Newer P2SH type starting with the number 3, eg: 3J98t1WpEZ73CNmQviecrnyiWrnqRhWNLy. crypto lib: - libsodium https://code.dlang.org/packages/sodium +/ class Address : IAddress { bool isValid() { return true; } }
D
module sketchup_api.model.loop; import sketchup_api.common; // SUResult import sketchup_api.model.defs; import sketchup_api.geom; //import sketchup_api.color; //import sketchup_api.defs; // SUStringRef extern (C): enum SULoopWinding { SULoopWinding_CCW = 0, SULoopWinding_CW = 1 } SUEntityRef SULoopToEntity (SULoopRef loop); SULoopRef SULoopFromEntity (SUEntityRef entity); SUResult SULoopGetNumVertices (SULoopRef loop, size_t* count); SUResult SULoopGetVertices ( SULoopRef loop, size_t len, SUVertexRef* vertices, size_t* count); SUResult SULoopGetEdges ( SULoopRef loop, size_t len, SUEdgeRef* edges, size_t* count); SUResult SULoopGetWinding ( SULoopRef loop, const(SUVector3D)* vector3d, SULoopWinding* orientation); SUResult SULoopIsEdgeReversed (SULoopRef loop, SUEdgeRef edge, bool* reversed); SUResult SULoopGetFace (SULoopRef loop, SUFaceRef* face); SUResult SULoopIsConvex (SULoopRef loop, bool* convex); SUResult SULoopIsOuterLoop (SULoopRef loop, bool* outer_loop); SUResult SULoopGetEdgeUses ( SULoopRef loop, size_t len, SUEdgeUseRef* edge_uses, size_t* count);
D
module clop.examples.wrapper_example; import std.stdio; import std.container.array; import std.algorithm.mutation; import derelict.opencl.cl; import clop.rt.clid.context; import clop.rt.clid.clerror; import clop.rt.clid.settings; import clop.rt.clid.imemory; import clop.rt.clid.memory; import clop.rt.clid.program; import clop.rt.clid.kernel; import clop.rt.clid.arglist; import clop.rt.clid.makememory; import clop.rt.clid.matrix; void RunClidMatrixExample() { auto mat = new Matrix!double(4, 4); mat.fill(2); mat.scale(2); mat.subtract(-2); mat.describe(); auto mat2 = new Matrix!double(4, 3); mat2.fill(4); auto result = mat * mat2; result.describe(); } class BasicMatrix(T) { public { this(int rows, int cols) { this.rows = rows; this.cols = cols; this.data = new T[rows*cols]; } int size() { return rows*cols; } int rows, cols; T[] data; } } void RunBasicMatrixExample1() { string path = "./examples/wrapper_example/src/matrix_program.cl"; Program program = new Program(); bool ok = program.load(path); assert(ok); if(!ok) return; BasicMatrix!double mat = new BasicMatrix!cl_double(2, 10); fill(mat.data, 1.5); Kernel scale = program.createKernel("Scale"); scale.setGlobalWorkSize(mat.size()); scale.call(mat.data, int(mat.size()), 2.0); //writeln(mat.data); } void RunBasicMatrixExample2() { string path = "./examples/wrapper_example/src/matrix_program.cl"; Program program = new Program(); bool ok = program.load(path); assert(ok); if(!ok) return; BasicMatrix!cl_double mat = new BasicMatrix!cl_double(2, 10); fill(mat.data, 1); Kernel scale = program.createKernel("Scale"); scale.setGlobalWorkSize(mat.size()); Kernel subtract = program.createKernel("Subtract"); subtract.setGlobalWorkSize(mat.size()); ArgList args = new ArgList(); args.arg(0, MakeMemory(mat.data)); args.arg(1, MakeNumber!cl_int(mat.size())); args.arg(2, MakeNumber!cl_double(2)); scale.call(args); args.arg(2, MakeNumber!cl_double(-1)); subtract.call(args); args.updateHost(); //writeln(mat.data); } int main(string[] args) { //Settings.Instance().setUseGPU(); Settings.Instance().setUseCPU(); RunBasicMatrixExample1(); RunBasicMatrixExample2(); RunClidMatrixExample(); return 0; }
D
a book containing a classified list of synonyms
D
class Base { int b1; } class Derived1 extends Base { int d11; } class Derived2 extends Base { int d12; } void main() { Base b_obj; Derived1 d1_obj; Derived2 d2_obj; b_obj = new Base; d1_obj = new Derived1; d2_obj = new Derived2; b_obj = d1_obj; d2_obj = d1_obj; }
D
template Foo(T:immutable(T)) { alias T Foo; } void main() { { int x; alias Foo!(typeof(x)) f; //printf("%s\n", typeid(f).toString().ptr); assert(is(typeof(x) == int)); assert(is(f == int)); } }
D
/home/ankit/pandora/substrate-node-template/target/release/build/hashbrown-db23e5ce6b80ed43/build_script_build-db23e5ce6b80ed43: /home/ankit/.cargo/registry/src/github.com-1ecc6299db9ec823/hashbrown-0.6.3/build.rs /home/ankit/pandora/substrate-node-template/target/release/build/hashbrown-db23e5ce6b80ed43/build_script_build-db23e5ce6b80ed43.d: /home/ankit/.cargo/registry/src/github.com-1ecc6299db9ec823/hashbrown-0.6.3/build.rs /home/ankit/.cargo/registry/src/github.com-1ecc6299db9ec823/hashbrown-0.6.3/build.rs:
D
import std.complex; import std.stdio; import std.conv; import std.math; import std.getopt; import std.file; void main(string[] args) { uint max = 1000; uint width = 400; uint height = 400; double zoom = 1; ubyte aa = 1; double posR = 0; double posI = 0; getopt(args, "iterations|itr", &max, "width|w", &width, "height|h", &height, "zoom|z", &zoom, "aa|a", &aa, "x|r", &posR, "y|i", &posI); uint small = (width < height) ? width : height; ubyte[] imageData; imageData.length = width*height*3; foreach (y; 0 .. height) { foreach (x; 0 .. width) { double sumR = 0; double sumG = 0; double sumB = 0; foreach (xaa; 0 .. aa) { foreach (yaa; 0 .. aa) { Complex!double c; c.re = (x + double(xaa) / aa - width / 2) / small * 4 / zoom + posR; c.im = (y + double(yaa) / aa - height / 2) / small * 4 / zoom - posI; Complex!double z = 0; uint itr = 0; for (; itr < max && z.re^^2 + z.im^^2 < 4; ++itr) { z = z * z + c; } if (itr < max) { sumR += (1 + cos(itr * PI / 100.0L + 1)) / 2 * 0xFF; sumG += (1 + cos(itr * PI / 100.0L + 2)) / 2 * 0xFF; sumB += (1 + cos(itr * PI / 100.0L + 3)) / 2 * 0xFF; } } } imageData[(y * width + x) * 3 + 0] = cast(ubyte)(sumR / aa / aa); imageData[(y * width + x) * 3 + 1] = cast(ubyte)(sumG / aa / aa); imageData[(y * width + x) * 3 + 2] = cast(ubyte)(sumB / aa / aa); } writefln("Render: % 6.2f%% done", y.to!double / height * 100); } string filename = "mandelbrot " ~ to!string(width) ~ "x" ~ to!string(height) ~ " "; size_t n = 0; while (exists(filename ~ to!string(++n) ~ ".raw")) {} toFile(imageData, filename ~ to!string(n) ~ ".raw"); }
D
//T has-passed:yes //T compiles:yes //T retval:0 #line __LINE__ # line 12 /* With a comment */ #line // This is a comment 34 # line 56 __FILE__ #line 78 "foo.d" #line 90 "multi line.d" int main() { return 0; }
D
/* TEST_OUTPUT: --- fail_compilation/ice12838.d(27): Error: cannot implicitly convert expression (1) of type int to string --- */ struct Tuple(T...) { T field; alias field this; } struct Data { string a; } template toTuple(T) { mixin(`alias toTuple = Tuple!(string);`); } void main() { toTuple!Data a; a[0] = 1; // ICE! }
D
// REQUIRED_ARGS: -o- -w int bug17807(){ int y=0; Lswitch: switch(2){ { case 0: break; } enum x=0; struct S{ enum x=0; } int foo(){ return 0; } default: y=x+S.x+foo(); static foreach(i;1..5) case i: break Lswitch; } return y; }
D
/Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIO.build/ContiguousCollection.swift.o : /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/IO.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/NonBlockingFileIO.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/IOData.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Codec.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Thread.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Embedded.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Selectable.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/FileHandle.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelPipeline.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/AddressedEnvelope.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-core.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/EventLoopFuture.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/PriorityQueue.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Channel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/DeadChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/SocketChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/BaseSocketChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/MulticastChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/BlockingIOThreadPool.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/System.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/FileRegion.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ContiguousCollection.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelOption.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Heap.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Bootstrap.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/EventLoop.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/SocketOptionProvider.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/CircularBuffer.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/MarkedCircularBuffer.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/PendingWritesManager.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/PendingDatagramWritesManager.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelInvoker.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelHandler.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/TypeAssistedChannelHandler.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Resolver.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/GetaddrinfoResolver.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/CompositeError.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/RecvByteBufferAllocator.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Selector.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/FileDescriptor.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Interfaces.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Utilities.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/IntegerTypes.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/SocketAddresses.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/HappyEyeballs.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelHandlers.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-views.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/LinuxCPUSet.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Socket.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/BaseSocket.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ServerSocket.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-int.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-aux.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Linux.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/NIOAny.swift /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 /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIO.build/ContiguousCollection~partial.swiftmodule : /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/IO.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/NonBlockingFileIO.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/IOData.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Codec.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Thread.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Embedded.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Selectable.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/FileHandle.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelPipeline.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/AddressedEnvelope.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-core.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/EventLoopFuture.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/PriorityQueue.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Channel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/DeadChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/SocketChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/BaseSocketChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/MulticastChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/BlockingIOThreadPool.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/System.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/FileRegion.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ContiguousCollection.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelOption.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Heap.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Bootstrap.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/EventLoop.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/SocketOptionProvider.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/CircularBuffer.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/MarkedCircularBuffer.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/PendingWritesManager.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/PendingDatagramWritesManager.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelInvoker.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelHandler.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/TypeAssistedChannelHandler.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Resolver.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/GetaddrinfoResolver.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/CompositeError.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/RecvByteBufferAllocator.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Selector.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/FileDescriptor.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Interfaces.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Utilities.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/IntegerTypes.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/SocketAddresses.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/HappyEyeballs.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelHandlers.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-views.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/LinuxCPUSet.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Socket.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/BaseSocket.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ServerSocket.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-int.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-aux.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Linux.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/NIOAny.swift /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 /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIO.build/ContiguousCollection~partial.swiftdoc : /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/IO.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/NonBlockingFileIO.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/IOData.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Codec.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Thread.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Embedded.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Selectable.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/FileHandle.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelPipeline.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/AddressedEnvelope.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-core.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/EventLoopFuture.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/PriorityQueue.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Channel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/DeadChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/SocketChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/BaseSocketChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/MulticastChannel.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/BlockingIOThreadPool.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/System.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/FileRegion.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ContiguousCollection.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelOption.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Heap.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Bootstrap.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/EventLoop.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/SocketOptionProvider.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/CircularBuffer.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/MarkedCircularBuffer.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/PendingWritesManager.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/PendingDatagramWritesManager.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelInvoker.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelHandler.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/TypeAssistedChannelHandler.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Resolver.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/GetaddrinfoResolver.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/CompositeError.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/RecvByteBufferAllocator.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Selector.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/FileDescriptor.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Interfaces.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Utilities.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/IntegerTypes.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/SocketAddresses.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/HappyEyeballs.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ChannelHandlers.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-views.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/LinuxCPUSet.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Socket.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/BaseSocket.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ServerSocket.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-int.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/ByteBuffer-aux.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/Linux.swift /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/NIO/NIOAny.swift /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 /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.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/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/nathanwhite/Desktop/vaporserver/simpleVapor/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes
D
// @@@DEPRECATED_2017-06@@@ /** * $(RED Deprecated. Use $(D core.stdc.math) instead. This module will be * removed in June 2017.) * * C's &lt;math.h&gt; * Authors: Walter Bright, Digital Mars, www.digitalmars.com * License: Public Domain * Macros: * WIKI=Phobos/StdCMath */ deprecated("Import core.stdc.math instead") module std.c.math; public import core.stdc.math;
D
/Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/build/FoodTracker.build/Debug-iphonesimulator/FoodTracker.build/Objects-normal/x86_64/MealTableViewController.o : /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/Meal.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/MealViewController.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/RatingControl.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/AppDelegate.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/MealTableViewController.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/MealTableViewCell.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/build/FoodTracker.build/Debug-iphonesimulator/FoodTracker.build/Objects-normal/x86_64/MealTableViewController~partial.swiftmodule : /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/Meal.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/MealViewController.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/RatingControl.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/AppDelegate.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/MealTableViewController.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/MealTableViewCell.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/build/FoodTracker.build/Debug-iphonesimulator/FoodTracker.build/Objects-normal/x86_64/MealTableViewController~partial.swiftdoc : /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/Meal.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/MealViewController.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/RatingControl.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/AppDelegate.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/MealTableViewController.swift /Users/vasanthmahendran/Documents/workspace/iOS/FoodTracker/FoodTracker/MealTableViewCell.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
D
module soup.AuthManager; private import gobject.ObjectG; private import gobject.Signals; private import soup.Auth; private import soup.Message; private import soup.SessionFeatureIF; private import soup.SessionFeatureT; private import soup.URI; private import soup.c.functions; public import soup.c.types; private import std.algorithm; /** * #SoupAuthManager is the #SoupSessionFeature that handles HTTP * authentication for a #SoupSession. * * A #SoupAuthManager is added to the session by default, and normally * you don't need to worry about it at all. However, if you want to * disable HTTP authentication, you can remove the feature from the * session with soup_session_remove_feature_by_type(), or disable it on * individual requests with soup_message_disable_feature(). * * Since: 2.42 */ public class AuthManager : ObjectG, SessionFeatureIF { /** the main Gtk struct */ protected SoupAuthManager* soupAuthManager; /** Get the main Gtk struct */ public SoupAuthManager* getAuthManagerStruct(bool transferOwnership = false) { if (transferOwnership) ownedRef = false; return soupAuthManager; } /** the main Gtk struct as a void* */ protected override void* getStruct() { return cast(void*)soupAuthManager; } /** * Sets our main struct and passes it to the parent class. */ public this (SoupAuthManager* soupAuthManager, bool ownedRef = false) { this.soupAuthManager = soupAuthManager; super(cast(GObject*)soupAuthManager, ownedRef); } // add the SessionFeature capabilities mixin SessionFeatureT!(SoupAuthManager); /** */ public static GType getType() { return soup_auth_manager_get_type(); } /** * Clear all credentials cached by @manager * * Since: 2.58 */ public void clearCachedCredentials() { soup_auth_manager_clear_cached_credentials(soupAuthManager); } /** * Records that @auth is to be used under @uri, as though a * WWW-Authenticate header had been received at that URI. This can be * used to "preload" @manager's auth cache, to avoid an extra HTTP * round trip in the case where you know ahead of time that a 401 * response will be returned. * * This is only useful for authentication types where the initial * Authorization header does not depend on any additional information * from the server. (Eg, Basic or NTLM, but not Digest.) * * Params: * uri = the #SoupURI under which @auth is to be used * auth = the #SoupAuth to use * * Since: 2.42 */ public void useAuth(URI uri, Auth auth) { soup_auth_manager_use_auth(soupAuthManager, (uri is null) ? null : uri.getURIStruct(), (auth is null) ? null : auth.getAuthStruct()); } /** * Emitted when the manager requires the application to * provide authentication credentials. * * #SoupSession connects to this signal and emits its own * #SoupSession::authenticate signal when it is emitted, so * you shouldn't need to use this signal directly. * * Params: * msg = the #SoupMessage being sent * auth = the #SoupAuth to authenticate * retrying = %TRUE if this is the second (or later) attempt */ gulong addOnAuthenticate(void delegate(Message, Auth, bool, AuthManager) dlg, ConnectFlags connectFlags=cast(ConnectFlags)0) { return Signals.connect(this, "authenticate", dlg, connectFlags ^ ConnectFlags.SWAPPED); } }
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric; long P = 10^^9+7; long[10^^5*2] F, RF; long pow(long x, long n) { long y = 1; while (n) { if (n%2 == 1) y = (y * x) % P; x = x^^2 % P; n /= 2; } return y; } long inv(long x) { return pow(x, P-2); } /** * P を法とする階乗、逆元を予め計算しておく。 */ void init() { F[0] = F[1] = 1; foreach (i, ref x; F[2..$]) x = (F[i+1] * (i+2)) % P; { RF[$-1] = 1; auto x = F[$-1]; auto k = P-2; while (k) { if (k%2 == 1) RF[$-1] = (RF[$-1] * x) % P; x = x^^2 % P; k /= 2; } } foreach_reverse(i, ref x; RF[0..$-1]) x = (RF[i+1] * (i+1)) % P; } long comb(N)(N n, N k) { if (k > n) return 0; auto n_b = F[n]; // n! auto nk_b = RF[n-k]; // 1 / (n-k)! auto k_b = RF[k]; // 1 / k! auto nk_b_k_b = (nk_b * k_b) % P; // 1 / (n-k)!k! return (n_b * nk_b_k_b) % P; // n! / (n-k)!k! } Tuple!(N, N)[] prime_division(N)(N n) { Tuple!(N, N)[] res; foreach (N i; 2..10^^6+1) { if (n%i == 0) { N cnt; while (n%i == 0) { ++cnt; n /= i; } res ~= tuple(i, cnt); } } if (n != cast(N)1) res ~= tuple(n, cast(N)1); return res; } void main() { init(); auto nm = readln.split.to!(long[]); auto N = nm[0]; auto M = nm[1]; bool m; if (N == 0) { writeln(0); } else if (N < 0) { m = true; N = -N; } auto ps = prime_division(N); long r = 1; for (long k = 2; k <= M; k += 2) { r = (r + comb(M, k)) % P; } if (m) { r = (pow(2, M) - r + P) % P; } foreach (p; ps) { r = r * comb(M+p[1]-1, M-1) % P; } writeln(r); }
D
/* Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ module flow.engine.impl.bpmn.data.SimpleDataInputAssociation; import hunt.collection.ArrayList; import hunt.collection.List; import flow.common.api.deleg.Expression; import flow.engine.deleg.DelegateExecution; import flow.engine.impl.bpmn.data.AbstractDataAssociation; import flow.engine.impl.bpmn.data.Assignment; /** * A simple data input association between a source and a target with assignments * * @author Esteban Robles Luna */ class SimpleDataInputAssociation : AbstractDataAssociation { protected List!Assignment assignments ;//= new ArrayList<>(); this(Expression sourceExpression, string target) { super(sourceExpression, target); assignments = new ArrayList!Assignment; } this(string source, string target) { super(source, target); assignments = new ArrayList!Assignment; } public void addAssignment(Assignment assignment) { this.assignments.add(assignment); } override public void evaluate(DelegateExecution execution) { foreach (Assignment assignment ; this.assignments) { assignment.evaluate(execution); } } }
D
import jenkins.* import hudson.* import com.cloudbees.plugins.credentials.* import com.cloudbees.plugins.credentials.common.* import com.cloudbees.plugins.credentials.domains.* import com.cloudbees.jenkins.plugins.sshcredentials.impl.* import hudson.plugins.sshslaves.*; import hudson.model.* import jenkins.model.* import hudson.security.* global_domain = Domain.global() credentials_store = Jenkins.instance.getExtensionList( 'com.cloudbees.plugins.credentials.SystemCredentialsProvider' )[0].getStore() credentials = new BasicSSHUserPrivateKey(CredentialsScope.GLOBAL,null,"root",new BasicSSHUserPrivateKey.UsersPrivateKeySource(),"","") credentials_store.addCredentials(global_domain, credentials) def hudsonRealm = new HudsonPrivateSecurityRealm(false) def adminUsername = System.getenv('JENKINS_ADMIN_USERNAME') ?: 'admin' def adminPassword = System.getenv('JENKINS_ADMIN_PASSWORD') ?: 'password' hudsonRealm.createAccount(adminUsername, adminPassword) //hudsonRealm.createAccount("charles", "charles") def instance = Jenkins.getInstance() instance.setSecurityRealm(hudsonRealm) instance.save() def strategy = new GlobalMatrixAuthorizationStrategy() // Slave Permissions //strategy.add(hudson.model.Computer.BUILD,'charles') //strategy.add(hudson.model.Computer.CONFIGURE,'charles') //strategy.add(hudson.model.Computer.CONNECT,'charles') //strategy.add(hudson.model.Computer.CREATE,'charles') //strategy.add(hudson.model.Computer.DELETE,'charles') //strategy.add(hudson.model.Computer.DISCONNECT,'charles') // Credential Permissions //strategy.add(com.cloudbees.plugins.credentials.CredentialsProvider.CREATE,'charles') //strategy.add(com.cloudbees.plugins.credentials.CredentialsProvider.DELETE,'charles') //strategy.add(com.cloudbees.plugins.credentials.CredentialsProvider.MANAGE_DOMAINS,'charles') //strategy.add(com.cloudbees.plugins.credentials.CredentialsProvider.UPDATE,'charles') //strategy.add(com.cloudbees.plugins.credentials.CredentialsProvider.VIEW,'charles') // Overall Permissions //strategy.add(hudson.model.Hudson.ADMINISTER,'charles') //strategy.add(hudson.PluginManager.CONFIGURE_UPDATECENTER,'charles') //strategy.add(hudson.model.Hudson.READ,'charles') //strategy.add(hudson.model.Hudson.RUN_SCRIPTS,'charles') //strategy.add(hudson.PluginManager.UPLOAD_PLUGINS,'charles') // Job Permissions //strategy.add(hudson.model.Item.BUILD,'charles') //strategy.add(hudson.model.Item.CANCEL,'charles') //strategy.add(hudson.model.Item.CONFIGURE,'charles') //strategy.add(hudson.model.Item.CREATE,'charles') //strategy.add(hudson.model.Item.DELETE,'charles') //strategy.add(hudson.model.Item.DISCOVER,'charles') //strategy.add(hudson.model.Item.READ,'charles') //strategy.add(hudson.model.Item.WORKSPACE,'charles') // Run Permissions //strategy.add(hudson.model.Run.DELETE,'charles') //strategy.add(hudson.model.Run.UPDATE,'charles') // View Permissions //strategy.add(hudson.model.View.CONFIGURE,'charles') //strategy.add(hudson.model.View.CREATE,'charles') //strategy.add(hudson.model.View.DELETE,'charles') //strategy.add(hudson.model.View.READ,'charles') // Setting Anonymous Permissions strategy.add(hudson.model.Hudson.READ,'anonymous') strategy.add(hudson.model.Item.BUILD,'anonymous') strategy.add(hudson.model.Item.CANCEL,'anonymous') strategy.add(hudson.model.Item.DISCOVER,'anonymous') strategy.add(hudson.model.Item.READ,'anonymous') // Setting Admin Permissions strategy.add(Jenkins.ADMINISTER, "admin") // Setting easy settings for local builds def local = System.getenv("BUILD").toString() if(local == "local") { // Overall Permissions strategy.add(hudson.model.Hudson.ADMINISTER,'anonymous') strategy.add(hudson.PluginManager.CONFIGURE_UPDATECENTER,'anonymous') strategy.add(hudson.model.Hudson.READ,'anonymous') strategy.add(hudson.model.Hudson.RUN_SCRIPTS,'anonymous') strategy.add(hudson.PluginManager.UPLOAD_PLUGINS,'anonymous') } instance.setAuthorizationStrategy(strategy) instance.save()
D
/Users/martin/Documents/programovanie/bc/website/NavigationController/DerivedData/NavigationController/Build/Intermediates/NavigationController.build/Debug-iphoneos/NavigationController.build/Objects-normal/armv7/ViewController.o : /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/ViewController.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/AppDelegate.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/SelectedViewController.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/ColorTableViewController.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/ColoredTableViewController.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 /Users/martin/Documents/programovanie/bc/website/NavigationController/DerivedData/NavigationController/Build/Intermediates/NavigationController.build/Debug-iphoneos/NavigationController.build/Objects-normal/armv7/ViewController~partial.swiftmodule : /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/ViewController.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/AppDelegate.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/SelectedViewController.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/ColorTableViewController.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/ColoredTableViewController.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 /Users/martin/Documents/programovanie/bc/website/NavigationController/DerivedData/NavigationController/Build/Intermediates/NavigationController.build/Debug-iphoneos/NavigationController.build/Objects-normal/armv7/ViewController~partial.swiftdoc : /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/ViewController.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/AppDelegate.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/SelectedViewController.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/ColorTableViewController.swift /Users/martin/Documents/programovanie/bc/website/NavigationController/NavigationController/ColoredTableViewController.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
D
/** * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ module presto.client.mockcurl; import std.array : empty, front, popFront; import std.net.curl : HTTP; //Exports post and get methods, either from std.net.curl or mock versions //depending on whether or not we are testing. version(unittest) { char[][] mockCurlResults; void enqueueCurlResult(char[] result) { mockCurlResults ~= result; } char[] get(const(char)[] url, HTTP conn = HTTP()) { assert(!mockCurlResults.empty); auto result = mockCurlResults.front; mockCurlResults.popFront; return result; } char[] post(PostUnit)(const(char)[] url, const(PostUnit)[] postData, HTTP conn = HTTP()) { return get(url); } void del(const(char)[] url, HTTP conn = HTTP()) { //No-op } } else { public import std.net.curl : post, get, del; } unittest { /* Broken when running with other tests, see: * http://forum.dlang.org/thread/fqbjamocnvvxpuzgmjid@forum.dlang.org#post-fqbjamocnvvxpuzgmjid enqueueCurlResult("test1".dup); enqueueCurlResult("test2".dup); enqueueCurlResult("test3".dup); assert(get("localhost") == "test1"); assert(get("localhost") == "test2"); assert(post("localhost", "post data") == "test3"); del("No-op"); */ }
D
/media/maher/extra/rust/rust_book/projects/saico/target/debug/deps/percent_encoding-907b020a4f9f6651.rmeta: /home/maher/.cargo/registry/src/github.com-1ecc6299db9ec823/percent-encoding-1.0.1/lib.rs /media/maher/extra/rust/rust_book/projects/saico/target/debug/deps/libpercent_encoding-907b020a4f9f6651.rlib: /home/maher/.cargo/registry/src/github.com-1ecc6299db9ec823/percent-encoding-1.0.1/lib.rs /media/maher/extra/rust/rust_book/projects/saico/target/debug/deps/percent_encoding-907b020a4f9f6651.d: /home/maher/.cargo/registry/src/github.com-1ecc6299db9ec823/percent-encoding-1.0.1/lib.rs /home/maher/.cargo/registry/src/github.com-1ecc6299db9ec823/percent-encoding-1.0.1/lib.rs:
D
/Users/liujianhao/code/rust/simple_web_app/simple_web_app/target/rls/debug/deps/rand_os-cb842a2ca31f1eac.rmeta: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_os-0.1.3/src/lib.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_os-0.1.3/src/dummy_log.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_os-0.1.3/src/macos.rs /Users/liujianhao/code/rust/simple_web_app/simple_web_app/target/rls/debug/deps/rand_os-cb842a2ca31f1eac.d: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_os-0.1.3/src/lib.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_os-0.1.3/src/dummy_log.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_os-0.1.3/src/macos.rs /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_os-0.1.3/src/lib.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_os-0.1.3/src/dummy_log.rs: /Users/liujianhao/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/rand_os-0.1.3/src/macos.rs:
D
/************************************************************************* ** ** ** TESTMODELLE_ORC.D ** ** =================== ** ** ** ** nieruchomy ** ** - No Focus NPC + Routine ** ** works with: Demon ** *************************************************************************/ instance nieruchomy(Npc_Default) { name = "Eksponat"; guild = GIL_SHADOWBEAST; Npc_SetAivar(self,AIV_MM_REAL_ID, 6546); level = 40; //--------------------------------------------------------- attribute [ATR_STRENGTH] = 110; attribute [ATR_DEXTERITY] = 110; attribute [ATR_HITPOINTS_MAX] = 200; attribute [ATR_HITPOINTS] = 200; attribute [ATR_MANA_MAX] = 0; attribute [ATR_MANA] = 0; //--------------------------------------------------------- protection [PROT_BLUNT] = 100; protection [PROT_EDGE] = 100; protection [PROT_POINT] = 50; protection [PROT_FIRE] = 50; protection [PROT_FLY] = 100; protection [PROT_MAGIC] = 50; //--------------------------------------------------------- damagetype = DAM_EDGE; // damage [DAM_INDEX_BLUNT] = 0; // damage [DAM_INDEX_EDGE] = 0; // damage [DAM_INDEX_POINT] = 0; // damage [DAM_INDEX_FIRE] = 0; // damage [DAM_INDEX_FLY] = 0; // damage [DAM_INDEX_MAGIC] = 0; //--------------------------------------------------------- //--------------------------------------------------------- fight_tactic = FAI_SHADOWBEAST; //--------------------------------------------------------- senses = SENSE_HEAR | SENSE_SEE | SENSE_SMELL; senses_range = 3000; Npc_SetAivar(self,AIV_MM_Behaviour, HUNTER); Npc_SetAivar(self,AIV_MM_PercRange, 1500); Npc_SetAivar(self,AIV_MM_DrohRange, 1300); Npc_SetAivar(self,AIV_MM_AttackRange, 700); Npc_SetAivar(self,AIV_MM_DrohTime, 4); Npc_SetAivar(self,AIV_MM_FollowTime, 10); Npc_SetAivar(self,AIV_MM_FollowInWater, FALSE); Npc_SetAivar(self,AIV_MM_SPECREACTTODAMAGE, TRUE); //------------------------------------------------------------- start_aistate = ZS_TestNoFocus; Npc_SetAivar(self,AIV_MM_RoamStart, OnlyRoutine); //------------------------------------------------------------- Mdl_SetVisual (self,"Shadow.mds"); // Body-Mesh Body-Tex Skin-Color Head-MMS Head-Tex Teeth-Tex ARMOR Mdl_SetVisualBody (self, "Sha_Body", DEFAULT, DEFAULT, "", DEFAULT, DEFAULT, -1); }; func void B_MakeFocus() { // INFO self.attribute [ATR_HITPOINTS] = self.attribute [ATR_HITPOINTS_MAX]; self.name = "Suprise Muthafucka!"; self.fight_tactic = FAI_SHADOWBEAST; B_StandUP(self); Mdl_ApplyOverlayMds(self,"Shadow.mds"); Npc_SetToFistMode(self); Npc_ClearAiQueue(self); AI_StartState (self,ZS_MM_AllScheduler,1,""); self.start_aistate = ZS_MM_AllScheduler; //Npc_SetToFistMode(self); }; func void ZS_TestNoFocus () { // Npc_PercEnable ( self, PERC_ASSESSTALK , B_AssessTalk ); // Npc_PercEnable ( self, PERC_ASSESSGIVENITEM, ZS_AssessGivenItem ); Npc_PercEnable ( self, PERC_ASSESSTALK , B_MakeFocus ); // // LOOK AT PLAYER // self.attribute [ATR_HITPOINTS] = 0; }; //---------------------------------------------------------------- //----------------------------------------------------------- LOOP //---------------------------------------------------------------- func void ZS_TestNoFocus_Loop () { if(Npc_GetDistToPlayer(self)>400) { B_MakeFocus(); }; }; //---------------------------------------------------------------- //----------------------------------------------------------- EXIT //---------------------------------------------------------------- func void ZS_TestNoFocus_End () { };
D