code
stringlengths
3
10M
language
stringclasses
31 values
/** Files License: $(HTTP boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: Martin Nowak Source: $(PHOBOSSRC std/io/net/_package.d) */ module std.io.file; import std.io.exception : enforce; import std.io.internal.string; import std.io.driver; version (Posix) { import core.sys.posix.fcntl; import core.sys.posix.stdio : SEEK_SET, SEEK_CUR, SEEK_END; import core.sys.posix.sys.uio : readv, writev; import core.sys.posix.unistd : close, read, write; import std.io.internal.iovec : tempIOVecs; enum O_BINARY = 0; } else version (Windows) { import core.sys.windows.windef; import core.sys.windows.winbase; import core.sys.windows.winbase : SEEK_SET=FILE_BEGIN, SEEK_CUR=FILE_CURRENT, SEEK_END=FILE_END; import core.stdc.stdio : O_RDONLY, O_WRONLY, O_RDWR, O_APPEND, O_CREAT, O_TRUNC, O_BINARY; } else static assert(0, "unimplemented"); /// File open mode enum Mode { read = O_RDONLY, /// open for reading only write = O_WRONLY, /// open for writing only readWrite = O_RDWR, /// open for reading and writing append = O_APPEND, /// open in append mode create = O_CREAT, /// create file if missing truncate = O_TRUNC, /// truncate existing file binary = O_BINARY, /// open in binary mode } /** Convert `fopen` string modes to `Mode` enum values. The mode `m` can be one of the following strings. $(TABLE $(THEAD mode, meaning) $(TROW `"r"`, open for reading) $(TROW `"r+"`, open for reading) $(TROW `"w"`, create or truncate and open for writing) $(TROW `"w+"`, create or truncate and open for reading and writing) $(TROW `"a"`, create or truncate and open for appending) $(TROW `"a+"`, create or truncate and open for reading and appending) ) The mode string can be followed by a `"b"` flag to open files in binary mode. This only has an effect on Windows. Params: m = fopen mode to convert to `Mode` enum Macros: THEAD=$(TR $(THX $1, $+)) THX=$(TH $1)$(THX $+) TROW=$(TR $(TDX $1, $+)) TDX=$(TD $1)$(TDX $+) */ enum Mode mode(string m) = getMode(m); /// unittest { assert(mode!"r" == Mode.read); assert(mode!"r+" == Mode.readWrite); assert(mode!"w" == (Mode.create | Mode.truncate | Mode.write)); assert(mode!"w+" == (Mode.create | Mode.truncate | Mode.readWrite)); assert(mode!"a" == (Mode.create | Mode.write | Mode.append)); assert(mode!"a+" == (Mode.create | Mode.readWrite | Mode.append)); assert(mode!"rb" == (Mode.read | Mode.binary)); assert(mode!"r+b" == (Mode.readWrite | Mode.binary)); assert(mode!"wb" == (Mode.create | Mode.truncate | Mode.write | Mode.binary)); assert(mode!"w+b" == (Mode.create | Mode.truncate | Mode.readWrite | Mode.binary)); assert(mode!"ab" == (Mode.create | Mode.write | Mode.append | Mode.binary)); assert(mode!"a+b" == (Mode.create | Mode.readWrite | Mode.append | Mode.binary)); static assert(!__traits(compiles, mode!"xyz")); } private Mode getMode(string m) { switch (m) with (Mode) { case "r": return read; case "r+": return readWrite; case "w": return write | create | truncate; case "w+": return readWrite | create | truncate; case "a": return write | create | append; case "a+": return readWrite | create | append; case "rb": return read | binary; case "r+b": return readWrite | binary; case "wb": return write | create | truncate | binary; case "w+b": return readWrite | create | truncate | binary; case "ab": return write | create | append | binary; case "a+b": return readWrite | create | append | binary; default: assert(0, "Unknown open mode '" ~ m ~ "'."); } } /// File seek methods enum Seek { set = SEEK_SET, /// file offset is set to `offset` bytes from the beginning cur = SEEK_CUR, /// file offset is set to current position plus `offset` bytes end = SEEK_END, /// file offset is set to the size of the file plus `offset` bytes } /** */ struct File { @safe @nogc: /** Open a file at `path` with the options specified in `mode`. Params: path = filesystem path mode = file open flags */ this(S)(S path, Mode mode = mode!"r") @trusted if (isStringLike!S) { version (Posix) { import std.internal.cstring : tempCString; f = driver.createFile(tempCString(path)[], mode); } else version (Windows) { import std.internal.cstring : tempCStringW; f = driver.createFile(tempCStringW(path)[], mode); } } /// take ownership of an existing open file `handle` version (Posix) this(int handle) { f = driver.fileFromHandle(handle); } else version (Windows) this(HANDLE handle) { f = driver.fileFromHandle(handle); } /// ~this() scope { close(); } // workaround Issue 18000 void opAssign(scope File rhs) scope { auto tmp = f; () @trusted { f = rhs.f; }(); rhs.f = tmp; rhs.close(); } /// close the file void close() scope @trusted { if (f is Driver.INVALID_FILE) return; driver.closeFile(f); f = Driver.INVALID_FILE; } /// return whether file is open bool isOpen() const scope { return f != Driver.INVALID_FILE; } /// unittest { File f; assert(!f.isOpen); f = File("LICENSE.txt"); assert(f.isOpen); f.close; assert(!f.isOpen); } /** Read from file into buffer. Params: buf = buffer to read into Returns: number of bytes read */ size_t read(scope ubyte[] buf) @trusted scope { return driver.read(f, buf); } /// unittest { auto f = File("LICENSE.txt"); ubyte[256] buf = void; assert(f.read(buf[]) == buf.length); } /** Read from file into multiple buffers. The read will be atomic on Posix platforms. Params: bufs = buffers to read into Returns: total number of bytes read */ size_t read(scope ubyte[][] bufs...) @trusted scope { return driver.read(f, bufs); } /// unittest { auto f = File("LICENSE.txt"); ubyte[256] buf = void; assert(f.read(buf[$ / 2 .. $], buf[0 .. $ / 2]) == buf.length); } @("partial reads") unittest { auto f = File("LICENSE.txt"); ubyte[256] buf = void; auto len = f.read(buf[$ / 2 .. $], buf[0 .. $ / 2]); while (len == buf.length) len = f.read(buf[$ / 2 .. $], buf[0 .. $ / 2]); assert(len < buf.length); } /** Write buffer content to file. Params: buf = buffer to write Returns: number of bytes written */ size_t write( /*in*/ const scope ubyte[] buf) @trusted scope { return driver.write(f, buf); } /// unittest { auto f = File("temp.txt", mode!"w"); scope (exit) remove("temp.txt"); ubyte[256] buf = 42; assert(f.write(buf[]) == buf.length); } /** Write multiple buffers to file. The writes will be atomic on Posix platforms. Params: bufs = buffers to write Returns: total number of bytes written */ size_t write( /*in*/ const scope ubyte[][] bufs...) @trusted scope { return driver.write(f, bufs); } /// unittest { auto f = File("temp.txt", mode!"w"); scope (exit) remove("temp.txt"); ubyte[256] buf = 42; assert(f.write(buf[$ / 2 .. $], buf[0 .. $ / 2]) == buf.length); } /** Reposition the current read and write offset in the file. Params: offset = positive or negative number of bytes to seek by whence = position in the file to seek from Returns: resulting offset in file */ ulong seek(long offset, Seek whence) { return driver.seek(f, offset, whence); } /// unittest { auto f = File("LICENSE.txt"); ubyte[32] buf1 = void, buf2 = void; assert(f.read(buf1[]) == buf1.length); assert(f.seek(0, Seek.cur) == buf1.length); assert(f.seek(-long(buf1.length), Seek.cur) == 0); assert(f.read(buf2[]) == buf2.length); assert(buf1[] == buf2[]); assert(f.seek(0, Seek.set) == 0); assert(f.read(buf2[]) == buf2.length); assert(buf1[] == buf2[]); f.seek(-8, Seek.end); assert(f.read(buf2[]) == 8); assert(buf1[] != buf2[]); } /// move operator for file File move() return scope nothrow /*pure Issue 18590*/ { auto f = this.f; this.f = Driver.INVALID_FILE; return File(f); } /// not copyable @disable this(this); private: this(return scope Driver.FILE f) @trusted pure nothrow { this.f = f; } Driver.FILE f = Driver.INVALID_FILE; } /// unittest { auto f = File("temp.txt", mode!"w"); scope (exit) remove("temp.txt"); f.write([0, 1]); } private: @safe unittest { import std.io : isIO; static assert(isIO!File); static File use(File f) { ubyte[4] buf = [0, 1, 2, 3]; f.write(buf); f.write([4, 5], [6, 7]); return f.move; } auto f = File("temp.txt", mode!"w"); f = use(f.move); f = File("temp.txt", Mode.read); ubyte[4] buf; f.read(buf[]); assert(buf[] == [0, 1, 2, 3]); ubyte[2] a, b; f.read(a[], b[]); assert(a[] == [4, 5]); assert(b[] == [6, 7]); remove("temp.txt"); } version (unittest) private void remove(in char[] path) @trusted @nogc { version (Posix) { import core.sys.posix.unistd : unlink; import std.internal.cstring : tempCString; enforce(unlink(tempCString(path)) != -1, "unlink failed".String); } else version (Windows) { import std.internal.cstring : tempCStringW; enforce(DeleteFileW(tempCStringW(path)), "DeleteFile failed".String); } }
D
// a team owning its things struct Team { }
D
module UnrealScript.TribesGame.GFxTrPage_JoinMatch; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.TribesGame.GFxTrAction; import UnrealScript.TribesGame.GFxTrPage; import UnrealScript.GFxUI.GFxObject; extern(C++) interface GFxTrPage_JoinMatch : GFxTrPage { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.GFxTrPage_JoinMatch")); } private static __gshared GFxTrPage_JoinMatch mDefaultProperties; @property final static GFxTrPage_JoinMatch DefaultProperties() { mixin(MGDPC("GFxTrPage_JoinMatch", "GFxTrPage_JoinMatch TribesGame.Default__GFxTrPage_JoinMatch")); } static struct Functions { private static __gshared { ScriptFunction mInitialize; ScriptFunction mSpecialAction; ScriptFunction mFillData; ScriptFunction mTakeFocus; } public @property static final { ScriptFunction Initialize() { mixin(MGF("mInitialize", "Function TribesGame.GFxTrPage_JoinMatch.Initialize")); } ScriptFunction SpecialAction() { mixin(MGF("mSpecialAction", "Function TribesGame.GFxTrPage_JoinMatch.SpecialAction")); } ScriptFunction FillData() { mixin(MGF("mFillData", "Function TribesGame.GFxTrPage_JoinMatch.FillData")); } ScriptFunction TakeFocus() { mixin(MGF("mTakeFocus", "Function TribesGame.GFxTrPage_JoinMatch.TakeFocus")); } } } @property final auto ref { int DollMesh() { mixin(MGPC("int", 360)); } int queueId() { mixin(MGPC("int", 356)); } } final: void Initialize() { (cast(ScriptObject)this).ProcessEvent(Functions.Initialize, cast(void*)0, cast(void*)0); } void SpecialAction(GFxTrAction Action) { ubyte params[4]; params[] = 0; *cast(GFxTrAction*)params.ptr = Action; (cast(ScriptObject)this).ProcessEvent(Functions.SpecialAction, params.ptr, cast(void*)0); } void FillData(GFxObject DataList) { ubyte params[4]; params[] = 0; *cast(GFxObject*)params.ptr = DataList; (cast(ScriptObject)this).ProcessEvent(Functions.FillData, params.ptr, cast(void*)0); } int TakeFocus(int ActionIndex, GFxObject DataList) { ubyte params[12]; params[] = 0; *cast(int*)params.ptr = ActionIndex; *cast(GFxObject*)&params[4] = DataList; (cast(ScriptObject)this).ProcessEvent(Functions.TakeFocus, params.ptr, cast(void*)0); return *cast(int*)&params[8]; } }
D
/Users/timobrien/projects/WebViewLayout/DerivedData/UIWebViewLayout/Build/Intermediates/Pods.build/Debug-iphonesimulator/FileKit.build/Objects-normal/x86_64/NSData+FileKit.o : /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Array+File.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/ArrayFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Bundle+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Data+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DataFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DataType.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Dictionary+File.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DictionaryFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DirectoryEnumerator.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DispatchEvent.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DispatchWatcher.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/File.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileKitError.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FilePermissions.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileProtection.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileSystemEvent.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileSystemEventStream.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileSystemWatcher.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileType.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Image+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/ImageFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSArray+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSData+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSDataFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSDictionary+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSString+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Operators.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Path.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Process+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/RelativePathType.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/String+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/TextFile.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/timobrien/projects/WebViewLayout/Pods/Target\ Support\ Files/FileKit/FileKit-umbrella.h /Users/timobrien/projects/WebViewLayout/DerivedData/UIWebViewLayout/Build/Intermediates/Pods.build/Debug-iphonesimulator/FileKit.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/timobrien/projects/WebViewLayout/DerivedData/UIWebViewLayout/Build/Intermediates/Pods.build/Debug-iphonesimulator/FileKit.build/Objects-normal/x86_64/NSData+FileKit~partial.swiftmodule : /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Array+File.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/ArrayFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Bundle+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Data+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DataFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DataType.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Dictionary+File.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DictionaryFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DirectoryEnumerator.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DispatchEvent.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DispatchWatcher.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/File.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileKitError.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FilePermissions.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileProtection.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileSystemEvent.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileSystemEventStream.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileSystemWatcher.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileType.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Image+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/ImageFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSArray+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSData+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSDataFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSDictionary+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSString+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Operators.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Path.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Process+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/RelativePathType.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/String+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/TextFile.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/timobrien/projects/WebViewLayout/Pods/Target\ Support\ Files/FileKit/FileKit-umbrella.h /Users/timobrien/projects/WebViewLayout/DerivedData/UIWebViewLayout/Build/Intermediates/Pods.build/Debug-iphonesimulator/FileKit.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/timobrien/projects/WebViewLayout/DerivedData/UIWebViewLayout/Build/Intermediates/Pods.build/Debug-iphonesimulator/FileKit.build/Objects-normal/x86_64/NSData+FileKit~partial.swiftdoc : /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Array+File.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/ArrayFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Bundle+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Data+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DataFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DataType.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Dictionary+File.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DictionaryFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DirectoryEnumerator.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DispatchEvent.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/DispatchWatcher.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/File.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileKitError.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FilePermissions.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileProtection.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileSystemEvent.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileSystemEventStream.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileSystemWatcher.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/FileType.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Image+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/ImageFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSArray+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSData+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSDataFile.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSDictionary+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/NSString+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Operators.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Path.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/Process+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/RelativePathType.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/String+FileKit.swift /Users/timobrien/projects/WebViewLayout/Pods/FileKit/Sources/TextFile.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/timobrien/projects/WebViewLayout/Pods/Target\ Support\ Files/FileKit/FileKit-umbrella.h /Users/timobrien/projects/WebViewLayout/DerivedData/UIWebViewLayout/Build/Intermediates/Pods.build/Debug-iphonesimulator/FileKit.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule
D
import dinrus; void main() { Процессор проц; скажинс(проц.вТкст()); пауза; }
D
/* Eratosthenes Sieve prime number calculation. */ import std.stdio; bool flags[8191]; int main() { int i, prime, k, count, iter; writefln("10 iterations"); for (iter = 1; iter <= 10; iter++) { count = 0; flags[] = true; for (i = 0; i < flags.length; i++) { if (flags[i]) { prime = i + i + 3; k = i + prime; while (k < flags.length) { flags[k] = false; k += prime; } count += 1; } } } writefln("%d primes", count); return 0; }
D
import xkeybind; import std.stdio; void main() { XKeyBind.load(); XKeyBind.bind("Ctrl-Shift-X", (mod, key) { writeln("Unbound"); XKeyBind.unbind("Ctrl-Shift-X"); }); while (true) { XKeyBind.update(); } }
D
/** * Compiler implementation of the * $(LINK2 http://www.dlang.org, D programming language). * * Copyright: Copyright (C) 1999-2018 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/doc.d, _doc.d) * Documentation: https://dlang.org/phobos/dmd_doc.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/doc.d */ module dmd.doc; import core.stdc.ctype; import core.stdc.stdlib; import core.stdc.stdio; import core.stdc.string; import core.stdc.time; import dmd.aggregate; import dmd.arraytypes; import dmd.attrib; import dmd.dclass; import dmd.declaration; import dmd.denum; import dmd.dmacro; import dmd.dmodule; import dmd.dscope; import dmd.dstruct; import dmd.dsymbol; import dmd.dsymbolsem; import dmd.dtemplate; import dmd.errors; import dmd.func; import dmd.globals; import dmd.hdrgen; import dmd.id; import dmd.identifier; import dmd.lexer; import dmd.mtype; import dmd.root.array; import dmd.root.file; import dmd.root.filename; import dmd.root.outbuffer; import dmd.root.port; import dmd.root.rmem; import dmd.tokens; import dmd.utf; import dmd.utils; import dmd.visitor; struct Escape { const(char)[][char.max] strings; /*************************************** * Find character string to replace c with. */ const(char)[] escapeChar(char c) { version (all) { //printf("escapeChar('%c') => %p, %p\n", c, strings, strings[c].ptr); return strings[c]; } else { const(char)[] s; switch (c) { case '<': s = "&lt;"; break; case '>': s = "&gt;"; break; case '&': s = "&amp;"; break; default: s = null; break; } return s; } } } /*********************************************************** */ private class Section { const(char)* name; size_t namelen; const(char)* _body; size_t bodylen; int nooutput; void write(Loc loc, DocComment* dc, Scope* sc, Dsymbols* a, OutBuffer* buf) { assert(a.dim); if (namelen) { static immutable table = [ "AUTHORS", "BUGS", "COPYRIGHT", "DATE", "DEPRECATED", "EXAMPLES", "HISTORY", "LICENSE", "RETURNS", "SEE_ALSO", "STANDARDS", "THROWS", "VERSION", ]; foreach (entry; table) { if (iequals(entry, name[0 .. namelen])) { buf.printf("$(DDOC_%s ", entry.ptr); goto L1; } } buf.writestring("$(DDOC_SECTION "); // Replace _ characters with spaces buf.writestring("$(DDOC_SECTION_H "); size_t o = buf.offset; for (size_t u = 0; u < namelen; u++) { char c = name[u]; buf.writeByte((c == '_') ? ' ' : c); } escapeStrayParenthesis(loc, buf, o); buf.writestring(")"); } else { buf.writestring("$(DDOC_DESCRIPTION "); } L1: size_t o = buf.offset; buf.write(_body, bodylen); escapeStrayParenthesis(loc, buf, o); highlightText(sc, a, buf, o); buf.writestring(")"); } } /*********************************************************** */ private final class ParamSection : Section { override void write(Loc loc, DocComment* dc, Scope* sc, Dsymbols* a, OutBuffer* buf) { assert(a.dim); Dsymbol s = (*a)[0]; // test const(char)* p = _body; size_t len = bodylen; const(char)* pend = p + len; const(char)* tempstart = null; size_t templen = 0; const(char)* namestart = null; size_t namelen = 0; // !=0 if line continuation const(char)* textstart = null; size_t textlen = 0; size_t paramcount = 0; buf.writestring("$(DDOC_PARAMS "); while (p < pend) { // Skip to start of macro while (1) { switch (*p) { case ' ': case '\t': p++; continue; case '\n': p++; goto Lcont; default: if (isIdStart(p) || isCVariadicArg(p[0 .. cast(size_t)(pend - p)])) break; if (namelen) goto Ltext; // continuation of prev macro goto Lskipline; } break; } tempstart = p; while (isIdTail(p)) p += utfStride(p); if (isCVariadicArg(p[0 .. cast(size_t)(pend - p)])) p += 3; templen = p - tempstart; while (*p == ' ' || *p == '\t') p++; if (*p != '=') { if (namelen) goto Ltext; // continuation of prev macro goto Lskipline; } p++; if (namelen) { // Output existing param L1: //printf("param '%.*s' = '%.*s'\n", namelen, namestart, textlen, textstart); ++paramcount; HdrGenState hgs; buf.writestring("$(DDOC_PARAM_ROW "); { buf.writestring("$(DDOC_PARAM_ID "); { size_t o = buf.offset; Parameter fparam = isFunctionParameter(a, namestart, namelen); if (!fparam) { // Comments on a template might refer to function parameters within. // Search the parameters of nested eponymous functions (with the same name.) fparam = isEponymousFunctionParameter(a, namestart, namelen); } bool isCVariadic = isCVariadicParameter(a, namestart[0 .. namelen]); if (isCVariadic) { buf.writestring("..."); } else if (fparam && fparam.type && fparam.ident) { .toCBuffer(fparam.type, buf, fparam.ident, &hgs); } else { if (isTemplateParameter(a, namestart, namelen)) { // 10236: Don't count template parameters for params check --paramcount; } else if (!fparam) { warning(s.loc, "Ddoc: function declaration has no parameter '%.*s'", namelen, namestart); } buf.write(namestart, namelen); } escapeStrayParenthesis(loc, buf, o); highlightCode(sc, a, buf, o); } buf.writestring(")"); buf.writestring("$(DDOC_PARAM_DESC "); { size_t o = buf.offset; buf.write(textstart, textlen); escapeStrayParenthesis(loc, buf, o); highlightText(sc, a, buf, o); } buf.writestring(")"); } buf.writestring(")"); namelen = 0; if (p >= pend) break; } namestart = tempstart; namelen = templen; while (*p == ' ' || *p == '\t') p++; textstart = p; Ltext: while (*p != '\n') p++; textlen = p - textstart; p++; Lcont: continue; Lskipline: // Ignore this line while (*p++ != '\n') { } } if (namelen) goto L1; // write out last one buf.writestring(")"); TypeFunction tf = a.dim == 1 ? isTypeFunction(s) : null; if (tf) { size_t pcount = (tf.parameters ? tf.parameters.dim : 0) + cast(int)(tf.varargs == 1); if (pcount != paramcount) { warning(s.loc, "Ddoc: parameter count mismatch"); } } } } /*********************************************************** */ private final class MacroSection : Section { override void write(Loc loc, DocComment* dc, Scope* sc, Dsymbols* a, OutBuffer* buf) { //printf("MacroSection::write()\n"); DocComment.parseMacros(dc.pescapetable, dc.pmacrotable, _body, bodylen); } } private alias Sections = Array!(Section); // Workaround for missing Parameter instance for variadic params. (it's unnecessary to instantiate one). private bool isCVariadicParameter(Dsymbols* a, const(char)[] p) { foreach (member; *a) { TypeFunction tf = isTypeFunction(member); if (tf && tf.varargs == 1 && p == "...") return true; } return false; } private Dsymbol getEponymousMember(TemplateDeclaration td) { if (!td.onemember) return null; if (AggregateDeclaration ad = td.onemember.isAggregateDeclaration()) return ad; if (FuncDeclaration fd = td.onemember.isFuncDeclaration()) return fd; if (auto em = td.onemember.isEnumMember()) return null; // Keep backward compatibility. See compilable/ddoc9.d if (VarDeclaration vd = td.onemember.isVarDeclaration()) return td.constraint ? null : vd; return null; } private TemplateDeclaration getEponymousParent(Dsymbol s) { if (!s.parent) return null; TemplateDeclaration td = s.parent.isTemplateDeclaration(); return (td && getEponymousMember(td)) ? td : null; } private immutable ddoc_default = import("default_ddoc_theme.ddoc"); private immutable ddoc_decl_s = "$(DDOC_DECL "; private immutable ddoc_decl_e = ")\n"; private immutable ddoc_decl_dd_s = "$(DDOC_DECL_DD "; private immutable ddoc_decl_dd_e = ")\n"; /**************************************************** */ extern(C++) void gendocfile(Module m) { __gshared OutBuffer mbuf; __gshared int mbuf_done; OutBuffer buf; //printf("Module::gendocfile()\n"); if (!mbuf_done) // if not already read the ddoc files { mbuf_done = 1; // Use our internal default mbuf.writestring(ddoc_default); // Override with DDOCFILE specified in the sc.ini file char* p = getenv("DDOCFILE"); if (p) global.params.ddocfiles.shift(p); // Override with the ddoc macro files from the command line for (size_t i = 0; i < global.params.ddocfiles.dim; i++) { auto file = File(global.params.ddocfiles[i].toDString()); readFile(m.loc, &file); // BUG: convert file contents to UTF-8 before use //printf("file: '%.*s'\n", file.len, file.buffer); mbuf.write(file.buffer, file.len); } } DocComment.parseMacros(&m.escapetable, &m.macrotable, mbuf.peekSlice().ptr, mbuf.peekSlice().length); Scope* sc = Scope.createGlobal(m); // create root scope DocComment* dc = DocComment.parse(m, m.comment); dc.pmacrotable = &m.macrotable; dc.pescapetable = &m.escapetable; sc.lastdc = dc; // Generate predefined macros // Set the title to be the name of the module { const p = m.toPrettyChars().toDString; Macro.define(&m.macrotable, "TITLE", p); } // Set time macros { time_t t; time(&t); char* p = ctime(&t); p = mem.xstrdup(p); Macro.define(&m.macrotable, "DATETIME", p[0 .. strlen(p)]); Macro.define(&m.macrotable, "YEAR", p[20 .. 20 + 4]); } const srcfilename = m.srcfile.toString(); Macro.define(&m.macrotable, "SRCFILENAME", srcfilename); const docfilename = m.docfile.toString(); Macro.define(&m.macrotable, "DOCFILENAME", docfilename); if (dc.copyright) { dc.copyright.nooutput = 1; Macro.define(&m.macrotable, "COPYRIGHT", dc.copyright._body[0 .. dc.copyright.bodylen]); } if (m.isDocFile) { Loc loc = m.md ? m.md.loc : m.loc; size_t commentlen = strlen(cast(char*)m.comment); Dsymbols a; // https://issues.dlang.org/show_bug.cgi?id=9764 // Don't push m in a, to prevent emphasize ddoc file name. if (dc.macros) { commentlen = dc.macros.name - m.comment; dc.macros.write(loc, dc, sc, &a, &buf); } buf.write(m.comment, commentlen); highlightText(sc, &a, &buf, 0); } else { Dsymbols a; a.push(m); dc.writeSections(sc, &a, &buf); emitMemberComments(m, &buf, sc); } //printf("BODY= '%.*s'\n", buf.offset, buf.data); Macro.define(&m.macrotable, "BODY", buf.peekSlice()); OutBuffer buf2; buf2.writestring("$(DDOC)"); size_t end = buf2.offset; m.macrotable.expand(&buf2, 0, &end, null); version (all) { /* Remove all the escape sequences from buf2, * and make CR-LF the newline. */ { const slice = buf2.peekSlice(); buf.setsize(0); buf.reserve(slice.length); auto p = slice.ptr; for (size_t j = 0; j < slice.length; j++) { char c = p[j]; if (c == 0xFF && j + 1 < slice.length) { j++; continue; } if (c == '\n') buf.writeByte('\r'); else if (c == '\r') { buf.writestring("\r\n"); if (j + 1 < slice.length && p[j + 1] == '\n') { j++; } continue; } buf.writeByte(c); } } // Transfer image to file assert(m.docfile); m.docfile.setbuffer(cast(void*)buf.peekSlice().ptr, buf.peekSlice().length); m.docfile._ref = 1; ensurePathToNameExists(Loc.initial, m.docfile.toChars()); writeFile(m.loc, m.docfile); } else { /* Remove all the escape sequences from buf2 */ { size_t i = 0; char* p = buf2.data; for (size_t j = 0; j < buf2.offset; j++) { if (p[j] == 0xFF && j + 1 < buf2.offset) { j++; continue; } p[i] = p[j]; i++; } buf2.setsize(i); } // Transfer image to file m.docfile.setbuffer(buf2.data, buf2.offset); m.docfile._ref = 1; ensurePathToNameExists(Loc.initial, m.docfile.toChars()); writeFile(m.loc, m.docfile); } } /**************************************************** * Having unmatched parentheses can hose the output of Ddoc, * as the macros depend on properly nested parentheses. * This function replaces all ( with $(LPAREN) and ) with $(RPAREN) * to preserve text literally. This also means macros in the * text won't be expanded. */ void escapeDdocString(OutBuffer* buf, size_t start) { for (size_t u = start; u < buf.offset; u++) { char c = buf.data[u]; switch (c) { case '$': buf.remove(u, 1); buf.insert(u, "$(DOLLAR)"); u += 8; break; case '(': buf.remove(u, 1); //remove the ( buf.insert(u, "$(LPAREN)"); //insert this instead u += 8; //skip over newly inserted macro break; case ')': buf.remove(u, 1); //remove the ) buf.insert(u, "$(RPAREN)"); //insert this instead u += 8; //skip over newly inserted macro break; default: break; } } } /**************************************************** * Having unmatched parentheses can hose the output of Ddoc, * as the macros depend on properly nested parentheses. * * Fix by replacing unmatched ( with $(LPAREN) and unmatched ) with $(RPAREN). */ private void escapeStrayParenthesis(Loc loc, OutBuffer* buf, size_t start) { uint par_open = 0; char inCode = 0; bool atLineStart = true; for (size_t u = start; u < buf.offset; u++) { char c = buf.data[u]; switch (c) { case '(': if (!inCode) par_open++; atLineStart = false; break; case ')': if (!inCode) { if (par_open == 0) { //stray ')' warning(loc, "Ddoc: Stray ')'. This may cause incorrect Ddoc output. Use $(RPAREN) instead for unpaired right parentheses."); buf.remove(u, 1); //remove the ) buf.insert(u, "$(RPAREN)"); //insert this instead u += 8; //skip over newly inserted macro } else par_open--; } atLineStart = false; break; case '\n': atLineStart = true; version (none) { // For this to work, loc must be set to the beginning of the passed // text which is currently not possible // (loc is set to the Loc of the Dsymbol) loc.linnum++; } break; case ' ': case '\r': case '\t': break; case '-': case '`': // Issue 15465: don't try to escape unbalanced parens inside code // blocks. int numdash = 1; for (++u; u < buf.offset && buf.data[u] == '-'; ++u) ++numdash; --u; if (c == '`' || (atLineStart && numdash >= 3)) { if (inCode == c) inCode = 0; else if (!inCode) inCode = c; } atLineStart = false; break; default: atLineStart = false; break; } } if (par_open) // if any unmatched lparens { par_open = 0; for (size_t u = buf.offset; u > start;) { u--; char c = buf.data[u]; switch (c) { case ')': par_open++; break; case '(': if (par_open == 0) { //stray '(' warning(loc, "Ddoc: Stray '('. This may cause incorrect Ddoc output. Use $(LPAREN) instead for unpaired left parentheses."); buf.remove(u, 1); //remove the ( buf.insert(u, "$(LPAREN)"); //insert this instead } else par_open--; break; default: break; } } } } // Basically, this is to skip over things like private{} blocks in a struct or // class definition that don't add any components to the qualified name. private Scope* skipNonQualScopes(Scope* sc) { while (sc && !sc.scopesym) sc = sc.enclosing; return sc; } private bool emitAnchorName(OutBuffer* buf, Dsymbol s, Scope* sc, bool includeParent) { if (!s || s.isPackage() || s.isModule()) return false; // Add parent names first bool dot = false; auto eponymousParent = getEponymousParent(s); if (includeParent && s.parent || eponymousParent) dot = emitAnchorName(buf, s.parent, sc, includeParent); else if (includeParent && sc) dot = emitAnchorName(buf, sc.scopesym, skipNonQualScopes(sc.enclosing), includeParent); // Eponymous template members can share the parent anchor name if (eponymousParent) return dot; if (dot) buf.writeByte('.'); // Use "this" not "__ctor" TemplateDeclaration td; if (s.isCtorDeclaration() || ((td = s.isTemplateDeclaration()) !is null && td.onemember && td.onemember.isCtorDeclaration())) { buf.writestring("this"); } else { /* We just want the identifier, not overloads like TemplateDeclaration::toChars. * We don't want the template parameter list and constraints. */ buf.writestring(s.Dsymbol.toChars()); } return true; } private void emitAnchor(OutBuffer* buf, Dsymbol s, Scope* sc, bool forHeader = false) { Identifier ident; { OutBuffer anc; emitAnchorName(&anc, s, skipNonQualScopes(sc), true); ident = Identifier.idPool(anc.peekSlice()); } auto pcount = cast(void*)ident in sc.anchorCounts; typeof(*pcount) count; if (!forHeader) { if (pcount) { // Existing anchor, // don't write an anchor for matching consecutive ditto symbols TemplateDeclaration td = getEponymousParent(s); if (sc.prevAnchor == ident && sc.lastdc && (isDitto(s.comment) || (td && isDitto(td.comment)))) return; count = ++*pcount; } else { sc.anchorCounts[cast(void*)ident] = 1; count = 1; } } // cache anchor name sc.prevAnchor = ident; auto macroName = forHeader ? "DDOC_HEADER_ANCHOR" : "DDOC_ANCHOR"; auto symbolName = ident.toString(); buf.printf("$(%.*s %.*s", cast(int) macroName.length, macroName.ptr, cast(int) symbolName.length, symbolName.ptr); // only append count once there's a duplicate if (count > 1) buf.printf(".%u", count); if (forHeader) { Identifier shortIdent; { OutBuffer anc; emitAnchorName(&anc, s, skipNonQualScopes(sc), false); shortIdent = Identifier.idPool(anc.peekSlice()); } auto shortName = shortIdent.toString(); buf.printf(", %.*s", cast(int) shortName.length, shortName.ptr); } buf.writeByte(')'); } /******************************* emitComment **********************************/ /** Get leading indentation from 'src' which represents lines of code. */ private size_t getCodeIndent(const(char)* src) { while (src && (*src == '\r' || *src == '\n')) ++src; // skip until we find the first non-empty line size_t codeIndent = 0; while (src && (*src == ' ' || *src == '\t')) { codeIndent++; src++; } return codeIndent; } /** Recursively expand template mixin member docs into the scope. */ private void expandTemplateMixinComments(TemplateMixin tm, OutBuffer* buf, Scope* sc) { if (!tm.semanticRun) tm.dsymbolSemantic(sc); TemplateDeclaration td = (tm && tm.tempdecl) ? tm.tempdecl.isTemplateDeclaration() : null; if (td && td.members) { for (size_t i = 0; i < td.members.dim; i++) { Dsymbol sm = (*td.members)[i]; TemplateMixin tmc = sm.isTemplateMixin(); if (tmc && tmc.comment) expandTemplateMixinComments(tmc, buf, sc); else emitComment(sm, buf, sc); } } } private void emitMemberComments(ScopeDsymbol sds, OutBuffer* buf, Scope* sc) { if (!sds.members) return; //printf("ScopeDsymbol::emitMemberComments() %s\n", toChars()); const(char)[] m = "$(DDOC_MEMBERS "; if (sds.isTemplateDeclaration()) m = "$(DDOC_TEMPLATE_MEMBERS "; else if (sds.isClassDeclaration()) m = "$(DDOC_CLASS_MEMBERS "; else if (sds.isStructDeclaration()) m = "$(DDOC_STRUCT_MEMBERS "; else if (sds.isEnumDeclaration()) m = "$(DDOC_ENUM_MEMBERS "; else if (sds.isModule()) m = "$(DDOC_MODULE_MEMBERS "; size_t offset1 = buf.offset; // save starting offset buf.writestring(m); size_t offset2 = buf.offset; // to see if we write anything sc = sc.push(sds); for (size_t i = 0; i < sds.members.dim; i++) { Dsymbol s = (*sds.members)[i]; //printf("\ts = '%s'\n", s.toChars()); // only expand if parent is a non-template (semantic won't work) if (s.comment && s.isTemplateMixin() && s.parent && !s.parent.isTemplateDeclaration()) expandTemplateMixinComments(cast(TemplateMixin)s, buf, sc); emitComment(s, buf, sc); } emitComment(null, buf, sc); sc.pop(); if (buf.offset == offset2) { /* Didn't write out any members, so back out last write */ buf.offset = offset1; } else buf.writestring(")"); } private void emitProtection(OutBuffer* buf, Prot prot) { if (prot.kind != Prot.Kind.undefined && prot.kind != Prot.Kind.public_) { protectionToBuffer(buf, prot); buf.writeByte(' '); } } private void emitComment(Dsymbol s, OutBuffer* buf, Scope* sc) { extern (C++) final class EmitComment : Visitor { alias visit = Visitor.visit; public: OutBuffer* buf; Scope* sc; extern (D) this(OutBuffer* buf, Scope* sc) { this.buf = buf; this.sc = sc; } override void visit(Dsymbol) { } override void visit(InvariantDeclaration) { } override void visit(UnitTestDeclaration) { } override void visit(PostBlitDeclaration) { } override void visit(DtorDeclaration) { } override void visit(StaticCtorDeclaration) { } override void visit(StaticDtorDeclaration) { } override void visit(TypeInfoDeclaration) { } void emit(Scope* sc, Dsymbol s, const(char)* com) { if (s && sc.lastdc && isDitto(com)) { sc.lastdc.a.push(s); return; } // Put previous doc comment if exists if (DocComment* dc = sc.lastdc) { assert(dc.a.dim > 0, "Expects at least one declaration for a" ~ "documentation comment"); auto symbol = dc.a[0]; buf.writestring("$(DDOC_MEMBER"); buf.writestring("$(DDOC_MEMBER_HEADER"); emitAnchor(buf, symbol, sc, true); buf.writeByte(')'); // Put the declaration signatures as the document 'title' buf.writestring(ddoc_decl_s); for (size_t i = 0; i < dc.a.dim; i++) { Dsymbol sx = dc.a[i]; // the added linebreaks in here make looking at multiple // signatures more appealing if (i == 0) { size_t o = buf.offset; toDocBuffer(sx, buf, sc); highlightCode(sc, sx, buf, o); buf.writestring("$(DDOC_OVERLOAD_SEPARATOR)"); continue; } buf.writestring("$(DDOC_DITTO "); { size_t o = buf.offset; toDocBuffer(sx, buf, sc); highlightCode(sc, sx, buf, o); } buf.writestring("$(DDOC_OVERLOAD_SEPARATOR)"); buf.writeByte(')'); } buf.writestring(ddoc_decl_e); // Put the ddoc comment as the document 'description' buf.writestring(ddoc_decl_dd_s); { dc.writeSections(sc, &dc.a, buf); if (ScopeDsymbol sds = dc.a[0].isScopeDsymbol()) emitMemberComments(sds, buf, sc); } buf.writestring(ddoc_decl_dd_e); buf.writeByte(')'); //printf("buf.2 = [[%.*s]]\n", buf.offset - o0, buf.data + o0); } if (s) { DocComment* dc = DocComment.parse(s, com); dc.pmacrotable = &sc._module.macrotable; sc.lastdc = dc; } } override void visit(Declaration d) { //printf("Declaration::emitComment(%p '%s'), comment = '%s'\n", d, d.toChars(), d.comment); //printf("type = %p\n", d.type); const(char)* com = d.comment; if (TemplateDeclaration td = getEponymousParent(d)) { if (isDitto(td.comment)) com = td.comment; else com = Lexer.combineComments(td.comment, com, true); } else { if (!d.ident) return; if (!d.type) { if (!d.isCtorDeclaration() && !d.isAliasDeclaration() && !d.isVarDeclaration()) { return; } } if (d.protection.kind == Prot.Kind.private_ || sc.protection.kind == Prot.Kind.private_) return; } if (!com) return; emit(sc, d, com); } override void visit(AggregateDeclaration ad) { //printf("AggregateDeclaration::emitComment() '%s'\n", ad.toChars()); const(char)* com = ad.comment; if (TemplateDeclaration td = getEponymousParent(ad)) { if (isDitto(td.comment)) com = td.comment; else com = Lexer.combineComments(td.comment, com, true); } else { if (ad.prot().kind == Prot.Kind.private_ || sc.protection.kind == Prot.Kind.private_) return; if (!ad.comment) return; } if (!com) return; emit(sc, ad, com); } override void visit(TemplateDeclaration td) { //printf("TemplateDeclaration::emitComment() '%s', kind = %s\n", td.toChars(), td.kind()); if (td.prot().kind == Prot.Kind.private_ || sc.protection.kind == Prot.Kind.private_) return; if (!td.comment) return; if (Dsymbol ss = getEponymousMember(td)) { ss.accept(this); return; } emit(sc, td, td.comment); } override void visit(EnumDeclaration ed) { if (ed.prot().kind == Prot.Kind.private_ || sc.protection.kind == Prot.Kind.private_) return; if (ed.isAnonymous() && ed.members) { for (size_t i = 0; i < ed.members.dim; i++) { Dsymbol s = (*ed.members)[i]; emitComment(s, buf, sc); } return; } if (!ed.comment) return; if (ed.isAnonymous()) return; emit(sc, ed, ed.comment); } override void visit(EnumMember em) { //printf("EnumMember::emitComment(%p '%s'), comment = '%s'\n", em, em.toChars(), em.comment); if (em.prot().kind == Prot.Kind.private_ || sc.protection.kind == Prot.Kind.private_) return; if (!em.comment) return; emit(sc, em, em.comment); } override void visit(AttribDeclaration ad) { //printf("AttribDeclaration::emitComment(sc = %p)\n", sc); /* A general problem with this, * illustrated by https://issues.dlang.org/show_bug.cgi?id=2516 * is that attributes are not transmitted through to the underlying * member declarations for template bodies, because semantic analysis * is not done for template declaration bodies * (only template instantiations). * Hence, Ddoc omits attributes from template members. */ Dsymbols* d = ad.include(null); if (d) { for (size_t i = 0; i < d.dim; i++) { Dsymbol s = (*d)[i]; //printf("AttribDeclaration::emitComment %s\n", s.toChars()); emitComment(s, buf, sc); } } } override void visit(ProtDeclaration pd) { if (pd.decl) { Scope* scx = sc; sc = sc.copy(); sc.protection = pd.protection; visit(cast(AttribDeclaration)pd); scx.lastdc = sc.lastdc; sc = sc.pop(); } } override void visit(ConditionalDeclaration cd) { //printf("ConditionalDeclaration::emitComment(sc = %p)\n", sc); if (cd.condition.inc) { visit(cast(AttribDeclaration)cd); return; } /* If generating doc comment, be careful because if we're inside * a template, then include(null) will fail. */ Dsymbols* d = cd.decl ? cd.decl : cd.elsedecl; for (size_t i = 0; i < d.dim; i++) { Dsymbol s = (*d)[i]; emitComment(s, buf, sc); } } } scope EmitComment v = new EmitComment(buf, sc); if (!s) v.emit(sc, null, null); else s.accept(v); } private void toDocBuffer(Dsymbol s, OutBuffer* buf, Scope* sc) { extern (C++) final class ToDocBuffer : Visitor { alias visit = Visitor.visit; public: OutBuffer* buf; Scope* sc; extern (D) this(OutBuffer* buf, Scope* sc) { this.buf = buf; this.sc = sc; } override void visit(Dsymbol s) { //printf("Dsymbol::toDocbuffer() %s\n", s.toChars()); HdrGenState hgs; hgs.ddoc = true; .toCBuffer(s, buf, &hgs); } void prefix(Dsymbol s) { if (s.isDeprecated()) buf.writestring("deprecated "); if (Declaration d = s.isDeclaration()) { emitProtection(buf, d.protection); if (d.isStatic()) buf.writestring("static "); else if (d.isFinal()) buf.writestring("final "); else if (d.isAbstract()) buf.writestring("abstract "); if (d.isFuncDeclaration()) // functionToBufferFull handles this return; if (d.isImmutable()) buf.writestring("immutable "); if (d.storage_class & STC.shared_) buf.writestring("shared "); if (d.isWild()) buf.writestring("inout "); if (d.isConst()) buf.writestring("const "); if (d.isSynchronized()) buf.writestring("synchronized "); if (d.storage_class & STC.manifest) buf.writestring("enum "); // Add "auto" for the untyped variable in template members if (!d.type && d.isVarDeclaration() && !d.isImmutable() && !(d.storage_class & STC.shared_) && !d.isWild() && !d.isConst() && !d.isSynchronized()) { buf.writestring("auto "); } } } override void visit(Declaration d) { if (!d.ident) return; TemplateDeclaration td = getEponymousParent(d); //printf("Declaration::toDocbuffer() %s, originalType = %s, td = %s\n", d.toChars(), d.originalType ? d.originalType.toChars() : "--", td ? td.toChars() : "--"); HdrGenState hgs; hgs.ddoc = true; if (d.isDeprecated()) buf.writestring("$(DEPRECATED "); prefix(d); if (d.type) { Type origType = d.originalType ? d.originalType : d.type; if (origType.ty == Tfunction) { functionToBufferFull(cast(TypeFunction)origType, buf, d.ident, &hgs, td); } else .toCBuffer(origType, buf, d.ident, &hgs); } else buf.writestring(d.ident.toChars()); if (d.isVarDeclaration() && td) { buf.writeByte('('); if (td.origParameters && td.origParameters.dim) { for (size_t i = 0; i < td.origParameters.dim; i++) { if (i) buf.writestring(", "); toCBuffer((*td.origParameters)[i], buf, &hgs); } } buf.writeByte(')'); } // emit constraints if declaration is a templated declaration if (td && td.constraint) { bool noFuncDecl = td.isFuncDeclaration() is null; if (noFuncDecl) { buf.writestring("$(DDOC_CONSTRAINT "); } .toCBuffer(td.constraint, buf, &hgs); if (noFuncDecl) { buf.writestring(")"); } } if (d.isDeprecated()) buf.writestring(")"); buf.writestring(";\n"); } override void visit(AliasDeclaration ad) { //printf("AliasDeclaration::toDocbuffer() %s\n", ad.toChars()); if (!ad.ident) return; if (ad.isDeprecated()) buf.writestring("deprecated "); emitProtection(buf, ad.protection); buf.printf("alias %s = ", ad.toChars()); if (Dsymbol s = ad.aliassym) // ident alias { prettyPrintDsymbol(s, ad.parent); } else if (Type type = ad.getType()) // type alias { if (type.ty == Tclass || type.ty == Tstruct || type.ty == Tenum) { if (Dsymbol s = type.toDsymbol(null)) // elaborate type prettyPrintDsymbol(s, ad.parent); else buf.writestring(type.toChars()); } else { // simple type buf.writestring(type.toChars()); } } buf.writestring(";\n"); } void parentToBuffer(Dsymbol s) { if (s && !s.isPackage() && !s.isModule()) { parentToBuffer(s.parent); buf.writestring(s.toChars()); buf.writestring("."); } } static bool inSameModule(Dsymbol s, Dsymbol p) { for (; s; s = s.parent) { if (s.isModule()) break; } for (; p; p = p.parent) { if (p.isModule()) break; } return s == p; } void prettyPrintDsymbol(Dsymbol s, Dsymbol parent) { if (s.parent && (s.parent == parent)) // in current scope -> naked name { buf.writestring(s.toChars()); } else if (!inSameModule(s, parent)) // in another module -> full name { buf.writestring(s.toPrettyChars()); } else // nested in a type in this module -> full name w/o module name { // if alias is nested in a user-type use module-scope lookup if (!parent.isModule() && !parent.isPackage()) buf.writestring("."); parentToBuffer(s.parent); buf.writestring(s.toChars()); } } override void visit(AggregateDeclaration ad) { if (!ad.ident) return; version (none) { emitProtection(buf, ad.protection); } buf.printf("%s %s", ad.kind(), ad.toChars()); buf.writestring(";\n"); } override void visit(StructDeclaration sd) { //printf("StructDeclaration::toDocbuffer() %s\n", sd.toChars()); if (!sd.ident) return; version (none) { emitProtection(buf, sd.protection); } if (TemplateDeclaration td = getEponymousParent(sd)) { toDocBuffer(td, buf, sc); } else { buf.printf("%s %s", sd.kind(), sd.toChars()); } buf.writestring(";\n"); } override void visit(ClassDeclaration cd) { //printf("ClassDeclaration::toDocbuffer() %s\n", cd.toChars()); if (!cd.ident) return; version (none) { emitProtection(buf, cd.protection); } if (TemplateDeclaration td = getEponymousParent(cd)) { toDocBuffer(td, buf, sc); } else { if (!cd.isInterfaceDeclaration() && cd.isAbstract()) buf.writestring("abstract "); buf.printf("%s %s", cd.kind(), cd.toChars()); } int any = 0; for (size_t i = 0; i < cd.baseclasses.dim; i++) { BaseClass* bc = (*cd.baseclasses)[i]; if (bc.sym && bc.sym.ident == Id.Object) continue; if (any) buf.writestring(", "); else { buf.writestring(": "); any = 1; } emitProtection(buf, Prot(Prot.Kind.public_)); if (bc.sym) { buf.printf("$(DDOC_PSUPER_SYMBOL %s)", bc.sym.toPrettyChars()); } else { HdrGenState hgs; .toCBuffer(bc.type, buf, null, &hgs); } } buf.writestring(";\n"); } override void visit(EnumDeclaration ed) { if (!ed.ident) return; buf.printf("%s %s", ed.kind(), ed.toChars()); if (ed.memtype) { buf.writestring(": $(DDOC_ENUM_BASETYPE "); HdrGenState hgs; .toCBuffer(ed.memtype, buf, null, &hgs); buf.writestring(")"); } buf.writestring(";\n"); } override void visit(EnumMember em) { if (!em.ident) return; buf.writestring(em.toChars()); } } scope ToDocBuffer v = new ToDocBuffer(buf, sc); s.accept(v); } /*********************************************************** */ struct DocComment { Sections sections; // Section*[] Section summary; Section copyright; Section macros; Macro** pmacrotable; Escape** pescapetable; Dsymbols a; static DocComment* parse(Dsymbol s, const(char)* comment) { //printf("parse(%s): '%s'\n", s.toChars(), comment); auto dc = new DocComment(); dc.a.push(s); if (!comment) return dc; dc.parseSections(comment); for (size_t i = 0; i < dc.sections.dim; i++) { Section sec = dc.sections[i]; if (iequals("copyright", sec.name[0 .. sec.namelen])) { dc.copyright = sec; } if (iequals("macros", sec.name[0 .. sec.namelen])) { dc.macros = sec; } } return dc; } /************************************************ * Parse macros out of Macros: section. * Macros are of the form: * name1 = value1 * * name2 = value2 */ static void parseMacros(Escape** pescapetable, Macro** pmacrotable, const(char)* m, size_t mlen) { const(char)* p = m; size_t len = mlen; const(char)* pend = p + len; const(char)* tempstart = null; size_t templen = 0; const(char)* namestart = null; size_t namelen = 0; // !=0 if line continuation const(char)* textstart = null; size_t textlen = 0; while (p < pend) { // Skip to start of macro while (1) { if (p >= pend) goto Ldone; switch (*p) { case ' ': case '\t': p++; continue; case '\r': case '\n': p++; goto Lcont; default: if (isIdStart(p)) break; if (namelen) goto Ltext; // continuation of prev macro goto Lskipline; } break; } tempstart = p; while (1) { if (p >= pend) goto Ldone; if (!isIdTail(p)) break; p += utfStride(p); } templen = p - tempstart; while (1) { if (p >= pend) goto Ldone; if (!(*p == ' ' || *p == '\t')) break; p++; } if (*p != '=') { if (namelen) goto Ltext; // continuation of prev macro goto Lskipline; } p++; if (p >= pend) goto Ldone; if (namelen) { // Output existing macro L1: //printf("macro '%.*s' = '%.*s'\n", namelen, namestart, textlen, textstart); if (iequals("ESCAPES", namestart[0 .. namelen])) parseEscapes(pescapetable, textstart, textlen); else Macro.define(pmacrotable, namestart[0 ..namelen], textstart[0 .. textlen]); namelen = 0; if (p >= pend) break; } namestart = tempstart; namelen = templen; while (p < pend && (*p == ' ' || *p == '\t')) p++; textstart = p; Ltext: while (p < pend && *p != '\r' && *p != '\n') p++; textlen = p - textstart; p++; //printf("p = %p, pend = %p\n", p, pend); Lcont: continue; Lskipline: // Ignore this line while (p < pend && *p != '\r' && *p != '\n') p++; } Ldone: if (namelen) goto L1; // write out last one } /************************************** * Parse escapes of the form: * /c/string/ * where c is a single character. * Multiple escapes can be separated * by whitespace and/or commas. */ static void parseEscapes(Escape** pescapetable, const(char)* textstart, size_t textlen) { Escape* escapetable = *pescapetable; if (!escapetable) { escapetable = new Escape(); memset(escapetable, 0, Escape.sizeof); *pescapetable = escapetable; } //printf("parseEscapes('%.*s') pescapetable = %p\n", textlen, textstart, pescapetable); const(char)* p = textstart; const(char)* pend = p + textlen; while (1) { while (1) { if (p + 4 >= pend) return; if (!(*p == ' ' || *p == '\t' || *p == '\r' || *p == '\n' || *p == ',')) break; p++; } if (p[0] != '/' || p[2] != '/') return; char c = p[1]; p += 3; const(char)* start = p; while (1) { if (p >= pend) return; if (*p == '/') break; p++; } size_t len = p - start; char* s = cast(char*)memcpy(mem.xmalloc(len + 1), start, len); s[len] = 0; escapetable.strings[c] = s[0 .. len]; //printf("\t%c = '%s'\n", c, s); p++; } } /***************************************** * Parse next paragraph out of *pcomment. * Update *pcomment to point past paragraph. * Returns NULL if no more paragraphs. * If paragraph ends in 'identifier:', * then (*pcomment)[0 .. idlen] is the identifier. */ void parseSections(const(char)* comment) { const(char)* p; const(char)* pstart; const(char)* pend; const(char)* idstart = null; // dead-store to prevent spurious warning size_t idlen; const(char)* name = null; size_t namelen = 0; //printf("parseSections('%s')\n", comment); p = comment; while (*p) { const(char)* pstart0 = p; p = skipwhitespace(p); pstart = p; pend = p; /* Find end of section, which is ended by one of: * 'identifier:' (but not inside a code section) * '\0' */ idlen = 0; int inCode = 0; while (1) { // Check for start/end of a code section if (*p == '-') { if (!inCode) { // restore leading indentation while (pstart0 < pstart && isIndentWS(pstart - 1)) --pstart; } int numdash = 0; while (*p == '-') { ++numdash; p++; } // BUG: handle UTF PS and LS too if ((!*p || *p == '\r' || *p == '\n') && numdash >= 3) inCode ^= 1; pend = p; } if (!inCode && isIdStart(p)) { const(char)* q = p + utfStride(p); while (isIdTail(q)) q += utfStride(q); // Detected tag ends it if (*q == ':' && isupper(*p) && (isspace(q[1]) || q[1] == 0)) { idlen = q - p; idstart = p; for (pend = p; pend > pstart; pend--) { if (pend[-1] == '\n') break; } p = q + 1; break; } } while (1) { if (!*p) goto L1; if (*p == '\n') { p++; if (*p == '\n' && !summary && !namelen && !inCode) { pend = p; p++; goto L1; } break; } p++; pend = p; } p = skipwhitespace(p); } L1: if (namelen || pstart < pend) { Section s; if (iequals("Params", name[0 .. namelen])) s = new ParamSection(); else if (iequals("Macros", name[0 .. namelen])) s = new MacroSection(); else s = new Section(); s.name = name; s.namelen = namelen; s._body = pstart; s.bodylen = pend - pstart; s.nooutput = 0; //printf("Section: '%.*s' = '%.*s'\n", s.namelen, s.name, s.bodylen, s.body); sections.push(s); if (!summary && !namelen) summary = s; } if (idlen) { name = idstart; namelen = idlen; } else { name = null; namelen = 0; if (!*p) break; } } } void writeSections(Scope* sc, Dsymbols* a, OutBuffer* buf) { assert(a.dim); //printf("DocComment::writeSections()\n"); Loc loc = (*a)[0].loc; if (Module m = (*a)[0].isModule()) { if (m.md) loc = m.md.loc; } size_t offset1 = buf.offset; buf.writestring("$(DDOC_SECTIONS "); size_t offset2 = buf.offset; for (size_t i = 0; i < sections.dim; i++) { Section sec = sections[i]; if (sec.nooutput) continue; //printf("Section: '%.*s' = '%.*s'\n", sec.namelen, sec.name, sec.bodylen, sec.body); if (!sec.namelen && i == 0) { buf.writestring("$(DDOC_SUMMARY "); size_t o = buf.offset; buf.write(sec._body, sec.bodylen); escapeStrayParenthesis(loc, buf, o); highlightText(sc, a, buf, o); buf.writestring(")"); } else sec.write(loc, &this, sc, a, buf); } for (size_t i = 0; i < a.dim; i++) { Dsymbol s = (*a)[i]; if (Dsymbol td = getEponymousParent(s)) s = td; for (UnitTestDeclaration utd = s.ddocUnittest; utd; utd = utd.ddocUnittest) { if (utd.protection.kind == Prot.Kind.private_ || !utd.comment || !utd.fbody) continue; // Strip whitespaces to avoid showing empty summary const(char)* c = utd.comment; while (*c == ' ' || *c == '\t' || *c == '\n' || *c == '\r') ++c; buf.writestring("$(DDOC_EXAMPLES "); size_t o = buf.offset; buf.writestring(cast(char*)c); if (utd.codedoc) { auto codedoc = utd.codedoc.stripLeadingNewlines; size_t n = getCodeIndent(codedoc); while (n--) buf.writeByte(' '); buf.writestring("----\n"); buf.writestring(codedoc); buf.writestring("----\n"); highlightText(sc, a, buf, o); } buf.writestring(")"); } } if (buf.offset == offset2) { /* Didn't write out any sections, so back out last write */ buf.offset = offset1; buf.writestring("\n"); } else buf.writestring(")"); } } /***************************************** * Return true if comment consists entirely of "ditto". */ private bool isDitto(const(char)* comment) { if (comment) { const(char)* p = skipwhitespace(comment); if (Port.memicmp(p, "ditto", 5) == 0 && *skipwhitespace(p + 5) == 0) return true; } return false; } /********************************************** * Skip white space. */ private const(char)* skipwhitespace(const(char)* p) { return skipwhitespace(p.toDString).ptr; } /// Ditto private const(char)[] skipwhitespace(const(char)[] p) { foreach (idx, char c; p) { switch (c) { case ' ': case '\t': case '\n': continue; default: return p[idx .. $]; } } return p[$ .. $]; } /************************************************ * Scan forward to one of: * start of identifier * beginning of next line * end of buf */ size_t skiptoident(OutBuffer* buf, size_t i) { const slice = buf.peekSlice(); while (i < slice.length) { dchar c; size_t oi = i; if (utf_decodeChar(slice.ptr, slice.length, i, c)) { /* Ignore UTF errors, but still consume input */ break; } if (c >= 0x80) { if (!isUniAlpha(c)) continue; } else if (!(isalpha(c) || c == '_' || c == '\n')) continue; i = oi; break; } return i; } /************************************************ * Scan forward past end of identifier. */ private size_t skippastident(OutBuffer* buf, size_t i) { const slice = buf.peekSlice(); while (i < slice.length) { dchar c; size_t oi = i; if (utf_decodeChar(slice.ptr, slice.length, i, c)) { /* Ignore UTF errors, but still consume input */ break; } if (c >= 0x80) { if (isUniAlpha(c)) continue; } else if (isalnum(c) || c == '_') continue; i = oi; break; } return i; } /************************************************ * Scan forward past URL starting at i. * We don't want to highlight parts of a URL. * Returns: * i if not a URL * index just past it if it is a URL */ private size_t skippastURL(OutBuffer* buf, size_t i) { const slice = buf.peekSlice()[i .. $]; size_t j; bool sawdot = false; if (slice.length > 7 && Port.memicmp(slice.ptr, "http://", 7) == 0) { j = 7; } else if (slice.length > 8 && Port.memicmp(slice.ptr, "https://", 8) == 0) { j = 8; } else goto Lno; for (; j < slice.length; j++) { const c = slice[j]; if (isalnum(c)) continue; if (c == '-' || c == '_' || c == '?' || c == '=' || c == '%' || c == '&' || c == '/' || c == '+' || c == '#' || c == '~') continue; if (c == '.') { sawdot = true; continue; } break; } if (sawdot) return i + j; Lno: return i; } /**************************************************** */ private bool isIdentifier(Dsymbols* a, const(char)* p, size_t len) { foreach (member; *a) { if (p[0 .. len] == member.ident.toString()) return true; } return false; } /**************************************************** */ private bool isKeyword(const(char)* p, size_t len) { immutable string[3] table = ["true", "false", "null"]; foreach (s; table) { if (p[0 .. len] == s) return true; } return false; } /**************************************************** */ private TypeFunction isTypeFunction(Dsymbol s) { FuncDeclaration f = s.isFuncDeclaration(); /* f.type may be NULL for template members. */ if (f && f.type) { Type t = f.originalType ? f.originalType : f.type; if (t.ty == Tfunction) return cast(TypeFunction)t; } return null; } /**************************************************** */ private Parameter isFunctionParameter(Dsymbol s, const(char)* p, size_t len) { TypeFunction tf = isTypeFunction(s); if (tf && tf.parameters) { foreach (fparam; *tf.parameters) { if (fparam.ident && p[0 .. len] == fparam.ident.toString()) { return fparam; } } } return null; } /**************************************************** */ private Parameter isFunctionParameter(Dsymbols* a, const(char)* p, size_t len) { for (size_t i = 0; i < a.dim; i++) { Parameter fparam = isFunctionParameter((*a)[i], p, len); if (fparam) { return fparam; } } return null; } /**************************************************** */ private Parameter isEponymousFunctionParameter(Dsymbols *a, const(char) *p, size_t len) { for (size_t i = 0; i < a.dim; i++) { TemplateDeclaration td = (*a)[i].isTemplateDeclaration(); if (td && td.onemember) { /* Case 1: we refer to a template declaration inside the template /// ...ddoc... template case1(T) { void case1(R)() {} } */ td = td.onemember.isTemplateDeclaration(); } if (!td) { /* Case 2: we're an alias to a template declaration /// ...ddoc... alias case2 = case1!int; */ AliasDeclaration ad = (*a)[i].isAliasDeclaration(); if (ad && ad.aliassym) { td = ad.aliassym.isTemplateDeclaration(); } } while (td) { Dsymbol sym = getEponymousMember(td); if (sym) { Parameter fparam = isFunctionParameter(sym, p, len); if (fparam) { return fparam; } } td = td.overnext; } } return null; } /**************************************************** */ private TemplateParameter isTemplateParameter(Dsymbols* a, const(char)* p, size_t len) { for (size_t i = 0; i < a.dim; i++) { TemplateDeclaration td = (*a)[i].isTemplateDeclaration(); // Check for the parent, if the current symbol is not a template declaration. if (!td) td = getEponymousParent((*a)[i]); if (td && td.origParameters) { foreach (tp; *td.origParameters) { if (tp.ident && p[0 .. len] == tp.ident.toString()) { return tp; } } } } return null; } /**************************************************** * Return true if str is a reserved symbol name * that starts with a double underscore. */ private bool isReservedName(const(char)[] str) { immutable string[] table = [ "__ctor", "__dtor", "__postblit", "__invariant", "__unitTest", "__require", "__ensure", "__dollar", "__ctfe", "__withSym", "__result", "__returnLabel", "__vptr", "__monitor", "__gate", "__xopEquals", "__xopCmp", "__LINE__", "__FILE__", "__MODULE__", "__FUNCTION__", "__PRETTY_FUNCTION__", "__DATE__", "__TIME__", "__TIMESTAMP__", "__VENDOR__", "__VERSION__", "__EOF__", "__LOCAL_SIZE", "___tls_get_addr", "__entrypoint", ]; foreach (s; table) { if (str == s) return true; } return false; } /************************************************** * Highlight text section. */ private void highlightText(Scope* sc, Dsymbols* a, OutBuffer* buf, size_t offset) { Dsymbol s = a.dim ? (*a)[0] : null; // test //printf("highlightText()\n"); int leadingBlank = 1; int inCode = 0; int inBacktick = 0; //int inComment = 0; // in <!-- ... --> comment int inMacro = 0; size_t iCodeStart = 0; // start of code section size_t codeIndent = 0; size_t iLineStart = offset; for (size_t i = offset; i < buf.offset; i++) { char c = buf.data[i]; Lcont: switch (c) { case ' ': case '\t': break; case '\n': if (inBacktick) { // `inline code` is only valid if contained on a single line // otherwise, the backticks should be output literally. // // This lets things like `output from the linker' display // unmolested while keeping the feature consistent with GitHub. inBacktick = false; inCode = false; // the backtick also assumes we're in code // Nothing else is necessary since the DDOC_BACKQUOTED macro is // inserted lazily at the close quote, meaning the rest of the // text is already OK. } if (!inCode && i == iLineStart && i + 1 < buf.offset) // if "\n\n" { i = buf.insert(i, "$(DDOC_BLANKLINE)"); } leadingBlank = 1; iLineStart = i + 1; break; case '<': { leadingBlank = 0; if (inCode) break; const slice = buf.peekSlice(); auto p = &slice[i]; const se = sc._module.escapetable.escapeChar('<'); if (se == "&lt;") { // Generating HTML // Skip over comments if (p[1] == '!' && p[2] == '-' && p[3] == '-') { size_t j = i + 4; p += 4; while (1) { if (j == slice.length) goto L1; if (p[0] == '-' && p[1] == '-' && p[2] == '>') { i = j + 2; // place on closing '>' break; } j++; p++; } break; } // Skip over HTML tag if (isalpha(p[1]) || (p[1] == '/' && isalpha(p[2]))) { size_t j = i + 2; p += 2; while (1) { if (j == slice.length) break; if (p[0] == '>') { i = j; // place on closing '>' break; } j++; p++; } break; } } L1: // Replace '<' with '&lt;' character entity if (se.length) { buf.remove(i, 1); i = buf.insert(i, se); i--; // point to ';' } break; } case '>': { leadingBlank = 0; if (inCode) break; // Replace '>' with '&gt;' character entity const se = sc._module.escapetable.escapeChar('>'); if (se.length) { buf.remove(i, 1); i = buf.insert(i, se); i--; // point to ';' } break; } case '&': { leadingBlank = 0; if (inCode) break; char* p = cast(char*)&buf.data[i]; if (p[1] == '#' || isalpha(p[1])) break; // already a character entity // Replace '&' with '&amp;' character entity const se = sc._module.escapetable.escapeChar('&'); if (se) { buf.remove(i, 1); i = buf.insert(i, se); i--; // point to ';' } break; } case '`': { if (inBacktick) { inBacktick = 0; inCode = 0; OutBuffer codebuf; codebuf.write(buf.peekSlice().ptr + iCodeStart + 1, i - (iCodeStart + 1)); // escape the contents, but do not perform highlighting except for DDOC_PSYMBOL highlightCode(sc, a, &codebuf, 0); escapeStrayParenthesis(s ? s.loc : Loc.initial, &codebuf, 0); buf.remove(iCodeStart, i - iCodeStart + 1); // also trimming off the current ` immutable pre = "$(DDOC_BACKQUOTED "; i = buf.insert(iCodeStart, pre); i = buf.insert(i, codebuf.peekSlice()); i = buf.insert(i, ")"); i--; // point to the ending ) so when the for loop does i++, it will see the next character break; } if (inCode) break; inCode = 1; inBacktick = 1; codeIndent = 0; // inline code is not indented // All we do here is set the code flags and record // the location. The macro will be inserted lazily // so we can easily cancel the inBacktick if we come // across a newline character. iCodeStart = i; break; } case '-': /* A line beginning with --- delimits a code section. * inCode tells us if it is start or end of a code section. */ if (leadingBlank) { size_t istart = i; size_t eollen = 0; leadingBlank = 0; while (1) { ++i; if (i >= buf.offset) break; c = buf.data[i]; if (c == '\n') { eollen = 1; break; } if (c == '\r') { eollen = 1; if (i + 1 >= buf.offset) break; if (buf.data[i + 1] == '\n') { eollen = 2; break; } } // BUG: handle UTF PS and LS too if (c != '-') goto Lcont; } if (i - istart < 3) goto Lcont; // We have the start/end of a code section // Remove the entire --- line, including blanks and \n buf.remove(iLineStart, i - iLineStart + eollen); i = iLineStart; if (inCode && (i <= iCodeStart)) { // Empty code section, just remove it completely. inCode = 0; break; } if (inCode) { inCode = 0; // The code section is from iCodeStart to i OutBuffer codebuf; codebuf.write(buf.data + iCodeStart, i - iCodeStart); codebuf.writeByte(0); // Remove leading indentations from all lines bool lineStart = true; char* endp = cast(char*)codebuf.data + codebuf.offset; for (char* p = cast(char*)codebuf.data; p < endp;) { if (lineStart) { size_t j = codeIndent; char* q = p; while (j-- > 0 && q < endp && isIndentWS(q)) ++q; codebuf.remove(p - cast(char*)codebuf.data, q - p); assert(cast(char*)codebuf.data <= p); assert(p < cast(char*)codebuf.data + codebuf.offset); lineStart = false; endp = cast(char*)codebuf.data + codebuf.offset; // update continue; } if (*p == '\n') lineStart = true; ++p; } highlightCode2(sc, a, &codebuf, 0); escapeStrayParenthesis(s ? s.loc : Loc.initial, &codebuf, 0); buf.remove(iCodeStart, i - iCodeStart); i = buf.insert(iCodeStart, codebuf.peekSlice()); i = buf.insert(i, ")\n"); i -= 2; // in next loop, c should be '\n' } else { __gshared const(char)* d_code = "$(D_CODE "; inCode = 1; codeIndent = istart - iLineStart; // save indent count i = buf.insert(i, d_code, strlen(d_code)); iCodeStart = i; i--; // place i on > leadingBlank = true; } } break; case '$': { /* Look for the start of a macro, '$(Identifier' */ leadingBlank = 0; if (inCode || inBacktick) break; const slice = buf.peekSlice(); auto p = &slice[i]; if (p[1] == '(' && isIdStart(&p[2])) ++inMacro; break; } case ')': { /* End of macro */ leadingBlank = 0; if (inCode || inBacktick) break; if (inMacro) --inMacro; break; } default: leadingBlank = 0; if (sc._module.isDocFile || inCode) break; const start = cast(char*)buf.data + i; if (isIdStart(start)) { size_t j = skippastident(buf, i); if (i < j) { size_t k = skippastURL(buf, i); if (i < k) { /* The URL is buf[i..k] */ if (inMacro) /* Leave alone if already in a macro */ i = k - 1; else { /* Replace URL with '$(DDOC_LINK_AUTODETECT URL)' */ i = buf.bracket(i, "$(DDOC_LINK_AUTODETECT ", k, ")") - 1; } break; } } else break; size_t len = j - i; // leading '_' means no highlight unless it's a reserved symbol name if (c == '_' && (i == 0 || !isdigit(*(start - 1))) && (i == buf.offset - 1 || !isReservedName(start[0 .. len]))) { buf.remove(i, 1); i = buf.bracket(i, "$(DDOC_AUTO_PSYMBOL_SUPPRESS ", j - 1, ")") - 1; break; } if (isIdentifier(a, start, len)) { i = buf.bracket(i, "$(DDOC_AUTO_PSYMBOL ", j, ")") - 1; break; } if (isKeyword(start, len)) { i = buf.bracket(i, "$(DDOC_AUTO_KEYWORD ", j, ")") - 1; break; } if (isFunctionParameter(a, start, len)) { //printf("highlighting arg '%s', i = %d, j = %d\n", arg.ident.toChars(), i, j); i = buf.bracket(i, "$(DDOC_AUTO_PARAM ", j, ")") - 1; break; } i = j - 1; } break; } } if (inCode) error(s ? s.loc : Loc.initial, "unmatched `---` in DDoc comment"); } /************************************************** * Highlight code for DDOC section. */ private void highlightCode(Scope* sc, Dsymbol s, OutBuffer* buf, size_t offset) { //printf("highlightCode(s = %s '%s')\n", s.kind(), s.toChars()); OutBuffer ancbuf; emitAnchor(&ancbuf, s, sc); buf.insert(offset, ancbuf.peekSlice()); offset += ancbuf.offset; Dsymbols a; a.push(s); highlightCode(sc, &a, buf, offset); } /**************************************************** */ private void highlightCode(Scope* sc, Dsymbols* a, OutBuffer* buf, size_t offset) { //printf("highlightCode(a = '%s')\n", a.toChars()); bool resolvedTemplateParameters = false; for (size_t i = offset; i < buf.offset; i++) { char c = buf.data[i]; const se = sc._module.escapetable.escapeChar(c); if (se.length) { buf.remove(i, 1); i = buf.insert(i, se); i--; // point to ';' continue; } char* start = cast(char*)buf.data + i; if (isIdStart(start)) { size_t j = skippastident(buf, i); if (i < j) { size_t len = j - i; if (isIdentifier(a, start, len)) { i = buf.bracket(i, "$(DDOC_PSYMBOL ", j, ")") - 1; continue; } if (isFunctionParameter(a, start, len)) { //printf("highlighting arg '%s', i = %d, j = %d\n", arg.ident.toChars(), i, j); i = buf.bracket(i, "$(DDOC_PARAM ", j, ")") - 1; continue; } i = j - 1; } } else if (!resolvedTemplateParameters) { size_t previ = i; // hunt for template declarations: foreach (symi; 0 .. a.dim) { FuncDeclaration fd = (*a)[symi].isFuncDeclaration(); if (!fd || !fd.parent || !fd.parent.isTemplateDeclaration()) { continue; } TemplateDeclaration td = fd.parent.isTemplateDeclaration(); // build the template parameters Array!(size_t) paramLens; paramLens.reserve(td.parameters.dim); OutBuffer parametersBuf; HdrGenState hgs; parametersBuf.writeByte('('); foreach (parami; 0 .. td.parameters.dim) { TemplateParameter tp = (*td.parameters)[parami]; if (parami) parametersBuf.writestring(", "); size_t lastOffset = parametersBuf.offset; .toCBuffer(tp, &parametersBuf, &hgs); paramLens[parami] = parametersBuf.offset - lastOffset; } parametersBuf.writeByte(')'); const templateParams = parametersBuf.peekSlice(); //printf("templateDecl: %s\ntemplateParams: %s\nstart: %s\n", td.toChars(), templateParams, start); if (start[0 .. templateParams.length] == templateParams) { immutable templateParamListMacro = "$(DDOC_TEMPLATE_PARAM_LIST "; buf.bracket(i, templateParamListMacro.ptr, i + templateParams.length, ")"); // We have the parameter list. While we're here we might // as well wrap the parameters themselves as well // + 1 here to take into account the opening paren of the // template param list i += templateParamListMacro.length + 1; foreach (const len; paramLens) { i = buf.bracket(i, "$(DDOC_TEMPLATE_PARAM ", i + len, ")"); // increment two here for space + comma i += 2; } resolvedTemplateParameters = true; // reset i to be positioned back before we found the template // param list this assures that anything within the template // param list that needs to be escaped or otherwise altered // has an opportunity for that to happen outside of this context i = previ; continue; } } } } } /**************************************** */ private void highlightCode3(Scope* sc, OutBuffer* buf, const(char)* p, const(char)* pend) { for (; p < pend; p++) { const se = sc._module.escapetable.escapeChar(*p); if (se.length) buf.writestring(se); else buf.writeByte(*p); } } /************************************************** * Highlight code for CODE section. */ private void highlightCode2(Scope* sc, Dsymbols* a, OutBuffer* buf, size_t offset) { uint errorsave = global.errors; scope Lexer lex = new Lexer(null, cast(char*)buf.data, 0, buf.offset - 1, 0, 1); OutBuffer res; const(char)* lastp = cast(char*)buf.data; //printf("highlightCode2('%.*s')\n", buf.offset - 1, buf.data); res.reserve(buf.offset); while (1) { Token tok; lex.scan(&tok); highlightCode3(sc, &res, lastp, tok.ptr); const(char)* highlight = null; switch (tok.value) { case TOK.identifier: { if (!sc) break; size_t len = lex.p - tok.ptr; if (isIdentifier(a, tok.ptr, len)) { highlight = "$(D_PSYMBOL "; break; } if (isFunctionParameter(a, tok.ptr, len)) { //printf("highlighting arg '%s', i = %d, j = %d\n", arg.ident.toChars(), i, j); highlight = "$(D_PARAM "; break; } break; } case TOK.comment: highlight = "$(D_COMMENT "; break; case TOK.string_: highlight = "$(D_STRING "; break; default: if (tok.isKeyword()) highlight = "$(D_KEYWORD "; break; } if (highlight) { res.writestring(highlight); size_t o = res.offset; highlightCode3(sc, &res, tok.ptr, lex.p); if (tok.value == TOK.comment || tok.value == TOK.string_) /* https://issues.dlang.org/show_bug.cgi?id=7656 * https://issues.dlang.org/show_bug.cgi?id=7715 * https://issues.dlang.org/show_bug.cgi?id=10519 */ escapeDdocString(&res, o); res.writeByte(')'); } else highlightCode3(sc, &res, tok.ptr, lex.p); if (tok.value == TOK.endOfFile) break; lastp = lex.p; } buf.setsize(offset); buf.write(&res); global.errors = errorsave; } /**************************************** * Determine if p points to the start of a "..." parameter identifier. */ private bool isCVariadicArg(const(char)[] p) { return p.length >= 3 && p[0 .. 3] == "..."; } /**************************************** * Determine if p points to the start of an identifier. */ bool isIdStart(const(char)* p) { dchar c = *p; if (isalpha(c) || c == '_') return true; if (c >= 0x80) { size_t i = 0; if (utf_decodeChar(p, 4, i, c)) return false; // ignore errors if (isUniAlpha(c)) return true; } return false; } /**************************************** * Determine if p points to the rest of an identifier. */ bool isIdTail(const(char)* p) { dchar c = *p; if (isalnum(c) || c == '_') return true; if (c >= 0x80) { size_t i = 0; if (utf_decodeChar(p, 4, i, c)) return false; // ignore errors if (isUniAlpha(c)) return true; } return false; } /**************************************** * Determine if p points to the indentation space. */ private bool isIndentWS(const(char)* p) { return (*p == ' ') || (*p == '\t'); } /***************************************** * Return number of bytes in UTF character. */ int utfStride(const(char)* p) { dchar c = *p; if (c < 0x80) return 1; size_t i = 0; utf_decodeChar(p, 4, i, c); // ignore errors, but still consume input return cast(int)i; } private inout(char)* stripLeadingNewlines(inout(char)* s) { while (s && *s == '\n' || *s == '\r') s++; return s; }
D
/******************************************************************************* * Copyright (c) 2000, 2008 IBM Corporation and others. * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * which accompanies this distribution, and is available at * http://www.eclipse.org/legal/epl-v10.html * * Contributors: * IBM Corporation - initial API and implementation * Port to the D programming language: * Frank Benoit <benoit@tionex.de> *******************************************************************************/ module org.eclipse.swt.dnd.DND; import org.eclipse.swt.SWT; import org.eclipse.swt.SWTError; import org.eclipse.swt.SWTException; import java.lang.all; /** * * Class DND contains all the constants used in defining a * DragSource or a DropTarget. * * @see <a href="http://www.eclipse.org/swt/">Sample code and further information</a> */ public class DND { /** * The transfer mechanism for data that is being cut * and then pasted or copied and then pasted (value is 1). * * @see Clipboard * * @since 3.1 */ public const static int CLIPBOARD = 1 << 0; /** * The transfer mechanism for clients that use the selection * mechanism (value is 2). * * @see Clipboard * * @since 3.1 */ public const static int SELECTION_CLIPBOARD = 1 << 1; /** * Drag and Drop Operation: no drag/drop operation performed * (value is 0). */ public const static int DROP_NONE = 0; /** * Drag and Drop Operation: a copy of the data in the drag source is * added to the drop target (value is 1 &lt;&lt; 0). */ public const static int DROP_COPY = 1 << 0; /** * Drag and Drop Operation: a copy of the data is added to the drop target and * the original data is removed from the drag source (value is 1 &lt;&lt; 1). */ public const static int DROP_MOVE = 1 << 1; /** * Drag and Drop Operation: the drop target makes a link to the data in * the drag source (value is 1 &lt;&lt; 2). */ public const static int DROP_LINK = 1 << 2; /** * Drag and Drop Operation: the drop target moves the data and the drag source removes * any references to the data and updates its display. This is not available on all platforms * and is only used when a non-SWT application is the drop target. In this case, the SWT * drag source is informed in the dragFinished event that the drop target has moved the data. * (value is 1 &lt;&lt; 3). * * @see DragSourceListener#dragFinished */ public const static int DROP_TARGET_MOVE = 1 << 3; /** * Drag and Drop Operation: During a dragEnter event or a dragOperationChanged, if no modifier keys * are pressed, the operation is set to DROP_DEFAULT. The application can choose what the default * operation should be by setting a new value in the operation field. If no value is choosen, the * default operation for the platform will be selected (value is 1 &lt;&lt; 4). * * @see DropTargetListener#dragEnter * @see DropTargetListener#dragOperationChanged * @since 2.0 */ public const static int DROP_DEFAULT = 1 << 4; /** * DragSource Event: the drop has successfully completed or has been terminated (such as hitting * the ESC key); perform cleanup such as removing data on a move operation (value is 2000). */ public static const int DragEnd = 2000; /** * DragSource Event: the data to be dropped is required from the drag source (value is 2001). */ public static const int DragSetData = 2001; /** * DropTarget Event: the cursor has entered the drop target boundaries (value is 2002). */ public static const int DragEnter = 2002; /** * DropTarget Event: the cursor has left the drop target boundaries OR the drop * operation has been cancelled (such as by hitting ECS) OR the drop is about to * happen (user has released the mouse button over this target) (value is 2003). */ public static const int DragLeave = 2003; /** * DropTarget Event: the cursor is over the drop target (value is 2004). */ public static const int DragOver = 2004; /** * DropTarget Event: the operation being performed has changed usually due to the user * changing the selected modifier keys while dragging (value is 2005). */ public static const int DragOperationChanged = 2005; /** * DropTarget Event: the data has been dropped (value is 2006). */ public static const int Drop = 2006; /** * DropTarget Event: the drop target is given a last chance to modify the drop (value is 2007). */ public static const int DropAccept = 2007; /** * DragSource Event: a drag is about to begin (value is 2008). */ public static const int DragStart = 2008; /** * DropTarget drag under effect: No effect is shown (value is 0). */ public static const int FEEDBACK_NONE = 0; /** * DropTarget drag under effect: The item under the cursor is selected; applies to tables * and trees (value is 1). */ public static const int FEEDBACK_SELECT = 1; /** * DropTarget drag under effect: An insertion mark is shown before the item under the cursor; applies to * trees (value is 2). */ public static const int FEEDBACK_INSERT_BEFORE = 2; /** * DropTarget drag under effect:An insertion mark is shown after the item under the cursor; applies to * trees (value is 4). */ public static const int FEEDBACK_INSERT_AFTER = 4; /** * DropTarget drag under effect: The widget is scrolled up or down to allow the user to drop on items that * are not currently visible; applies to tables and trees (value is 8). */ public static const int FEEDBACK_SCROLL = 8; /** * DropTarget drag under effect: The item currently under the cursor is expanded to allow the user to * select a drop target from a sub item; applies to trees (value is 16). */ public static const int FEEDBACK_EXPAND = 16; /** * Error code: drag source can not be initialized (value is 2000). */ public static const int ERROR_CANNOT_INIT_DRAG = 2000; /** * Error code: drop target cannot be initialized (value is 2001). */ public static const int ERROR_CANNOT_INIT_DROP = 2001; /** * Error code: Data can not be set on system clipboard (value is 2002). */ public static const int ERROR_CANNOT_SET_CLIPBOARD = 2002; /** * Error code: Data does not have correct format for type (value is 2003). * @since 3.1 */ public static const int ERROR_INVALID_DATA = 2003; /** * DropTarget Key: The string constant for looking up the drop target * for a control using <code>getData(String)</code>. When a drop target * is created for a control, it is stored as a property in the control * using <code>setData(String, Object)</code>. * * @since 3.4 */ public static const String DROP_TARGET_KEY = "DropTarget"; //$NON-NLS-1$ /** * DragSource Key: The string constant for looking up the drag source * for a control using <code>getData(String)</code>. When a drag source * is created for a control, it is stored as a property in the control * using <code>setData(String, Object)</code>. * * @since 3.4 */ public static const String DRAG_SOURCE_KEY = "DragSource"; //$NON-NLS-1$ static const String INIT_DRAG_MESSAGE = "Cannot initialize Drag"; //$NON-NLS-1$ static const String INIT_DROP_MESSAGE = "Cannot initialize Drop"; //$NON-NLS-1$ static const String CANNOT_SET_CLIPBOARD_MESSAGE = "Cannot set data in clipboard"; //$NON-NLS-1$ static const String INVALID_DATA_MESSAGE = "Data does not have correct format for type"; //$NON-NLS-1$ /** * Throws an appropriate exception based on the passed in error code. * * @param code the DND error code */ public static void error(int code) { error(code, 0); } /** * Throws an appropriate exception based on the passed in error code. * The <code>hresult</code> argument should be either 0, or the * platform specific error code. * <p> * In DND, errors are reported by throwing one of three exceptions: * <dl> * <dd>java.lang.IllegalArgumentException</dd> * <dt>thrown whenever one of the API methods is invoked with an illegal argument</dt> * <dd>org.eclipse.swt.SWTException (extends java.lang.RuntimeException)</dd> * <dt>thrown whenever a recoverable error happens internally in SWT</dt> * <dd>org.eclipse.swt.SWTError (extends java.lang.Error)</dd> * <dt>thrown whenever a <b>non-recoverable</b> error happens internally in SWT</dt> * </dl> * This method provides the logic which maps between error codes * and one of the above exceptions. * </p> * * @param code the DND error code. * @param hresult the platform specific error code. * * @see SWTError * @see SWTException * @see IllegalArgumentException */ public static void error(int code, int hresult) { switch (code) { /* OS Failure/Limit (fatal, may occur only on some platforms) */ case DND.ERROR_CANNOT_INIT_DRAG: { String msg = DND.INIT_DRAG_MESSAGE; if (hresult !is 0) msg ~= " result = " ~ String_valueOf(hresult); //$NON-NLS-1$ throw new SWTError(code, msg); } case DND.ERROR_CANNOT_INIT_DROP: { String msg = DND.INIT_DROP_MESSAGE; if (hresult !is 0) msg ~= " result = " ~ String_valueOf(hresult); //$NON-NLS-1$ throw new SWTError(code, msg); } case DND.ERROR_CANNOT_SET_CLIPBOARD: { String msg = DND.CANNOT_SET_CLIPBOARD_MESSAGE; if (hresult !is 0) msg ~= " result = " ~ String_valueOf(hresult); //$NON-NLS-1$ throw new SWTError(code, msg); } case DND.ERROR_INVALID_DATA: { String msg = DND.INVALID_DATA_MESSAGE; if (hresult !is 0) msg ~= " result = " ~ String_valueOf(hresult); //$NON-NLS-1$ throw new SWTException(code, msg); } default: } /* Unknown/Undefined Error */ SWT.error(code); } }
D
module test_2_3_4; unittest { import helpers.d_shims; import helpers.d_shims; import helpers.testThreeCases : testFulfilled; import helpers.testThreeCases : testRejected; struct Dummy { string dummy = "dummy"; } Dummy dummy; // we fulfill or reject with this when we don't intend to test against it describe("2.3.4: If `x` is not an object or delegate, fulfill `promise` with `x`", delegate () { auto testValue(T)(T expectedValue, string stringRepresentation, void delegate() beforeEachHook = null, void delegate() afterEachHook = null) { describe("The value is " ~ stringRepresentation, delegate () { // if (beforeEachHook) { // beforeEach(beforeEachHook); // } // if (afterEachHook) { // afterEach(afterEachHook); // } testFulfilled(dummy, delegate (Promise!Dummy promise1, done) { auto promise2 = promise1.then(delegate /*onFulfilled*/(value) { return expectedValue; }); promise2.then(delegate /*onPromise2Fulfilled*/(actualValue) { assert_.strictEqual(actualValue, expectedValue); done(); }); }); testRejected!T(/*dummy*/null, delegate (Promise!T promise1, done) { auto promise2 = promise1.then(null, delegate /*onRejected*/(error) { return expectedValue; }); promise2.then(delegate /*onPromise2Fulfilled*/(actualValue) { assert_.strictEqual(actualValue, expectedValue); done(); }); }); }); } // testValue(undefined, "`undefined`"); testValue(null, "`null`"); // testValue(false, "`false`"); // testValue(true, "`true`"); // testValue(0, "`0`"); // testValue( // true, // "`true` with `Boolean.prototype` modified to have a `then` method", // delegate () { // Boolean.prototype.then = delegate () {}; // }, // delegate () { // delete Boolean.prototype.then; // } // ); // testValue( // 1, // "`1` with `Number.prototype` modified to have a `then` method", // delegate () { // Number.prototype.then = delegate () {}; // }, // delegate () { // delete Number.prototype.then; // } // ); }); }
D
module Structures.SelectRect; import GBAUtils.Rectangle; public static class SelectRect : Rectangle { int startX; int startY; int realWidth; int realHeight; bool moved = false; public this(int i, int j, int k, int l) { super(i,j,k,l); startX = i; startY = j; realWidth = k; realHeight = l; } }
D
instance Mod_1753_KDF_Magier_PAT (Npc_Default) { // ------ NSC ------ name = NAME_ordenspriester; guild = GIL_vlk; id = 1753; voice = 13; flags = 0; //NPC_FLAG_IMMORTAL oder 0 npctype = NPCTYPE_pat_ordenspriester_mauer; // ------ Attribute ------ B_SetAttributesToChapter (self, 5); aivar[AIV_MagicUser] = MAGIC_ALWAYS; //setzt Attribute und LEVEL entsprechend dem angegebenen Kapitel (1-6) // ------ NSC-relevante Talente vergeben ------ B_GiveNpcTalents (self); // ------ Kampf-Talente ------ //Der enthaltene B_AddFightSkill setzt Talent-Ani abhängig von TrefferChance% - alle Kampftalente werden gleichhoch gesetzt B_SetFightSkills (self, 65); //Grenzen für Talent-Level liegen bei 30 und 60 // ------ Kampf-Taktik ------ fight_tactic = FAI_HUMAN_STRONG; // MASTER / STRONG / COWARD // ------ Equippte Waffen ------ EquipItem (self, ItMW_Addon_Stab01); // ------ Inventory ------ B_CreateAmbientInv (self); // ------ visuals ------ //Muss NACH Attributen kommen, weil in B_SetNpcVisual die Breite abh. v. STR skaliert wird B_SetNpcVisual (self, MALE, "Hum_Head_FatBald", Face_N_NormalBart22, BodyTex_N, itar_kdf_h); Mdl_SetModelFatness (self, 1); Mdl_ApplyOverlayMds (self, "Humans_Mage.mds"); // Tired / Militia / Mage / Arrogance / Relaxed // ------ TA anmelden ------ daily_routine = Rtn_Start_1753; }; FUNC VOID Rtn_Start_1753 () { TA_Stand_Guarding_WP (08,05,22,05,"WP_PAT_WEG_121"); TA_Stand_Guarding_WP (22,05,08,05,"WP_PAT_WEG_121"); }; FUNC VOID Rtn_Kirche_1753 () { TA_Pray_Innos_FP (08,05,22,05,"WP_PAT_WEG_183"); TA_Pray_Innos_FP (22,05,08,05,"WP_PAT_WEG_183"); };
D
/** This module implements a generic axis-aligned bounding box (AABB). */ module math.box; import std.math, std.traits, std.conv, std.string; import math.vector, math.funcs; /// N-dimensional half-open interval [a, b[. struct Box(T, int N) { static assert(N > 0); public { alias Vector!(T, N) bound_t; bound_t min; // not enforced, the box can have negative volume bound_t max; /// Construct a box which extends between 2 points. /// Boundaries: min is inside the box, max is just outside. @nogc this(bound_t min_, bound_t max_) pure nothrow { min = min_; max = max_; } static if (N == 1) { @nogc this(T min_, T max_) pure nothrow { min.x = min_; max.x = max_; } } static if (N == 2) { @nogc this(T min_x, T min_y, T max_x, T max_y) pure nothrow { min = bound_t(min_x, min_y); max = bound_t(max_x, max_y); } } static if (N == 3) { @nogc this(T min_x, T min_y, T min_z, T max_x, T max_y, T max_z) pure nothrow { min = bound_t(min_x, min_y, min_z); max = bound_t(max_x, max_y, max_z); } } @property { /// Returns: Dimensions of the box. @nogc bound_t size() pure const nothrow { return max - min; } /// Returns: Center of the box. @nogc bound_t center() pure const nothrow { return (min + max) / 2; } /// Returns: Width of the box, always applicable. static if (N >= 1) @nogc T width() pure const nothrow @property { return max.x - min.x; } /// Returns: Height of the box, if applicable. static if (N >= 2) @nogc T height() pure const nothrow @property { return max.y - min.y; } /// Returns: Depth of the box, if applicable. static if (N >= 3) @nogc T depth() pure const nothrow @property { return max.z - min.z; } /// Returns: Signed volume of the box. @nogc T volume() pure const nothrow { T res = 1; bound_t size = size(); for(int i = 0; i < N; ++i) res *= size[i]; return res; } /// Returns: true if empty. @nogc bool empty() pure const nothrow { bound_t size = size(); mixin(generateLoopCode!("if (min[@] == max[@]) return true;", N)()); return false; } } /// Returns: true if it contains point. @nogc bool contains(bound_t point) pure const nothrow { assert(isSorted()); for(int i = 0; i < N; ++i) if ( !(point[i] >= min[i] && point[i] < max[i]) ) return false; return true; } /// Returns: true if it contains box other. @nogc bool contains(Box other) pure const nothrow { assert(isSorted()); assert(other.isSorted()); mixin(generateLoopCode!("if ( (other.min[@] < min[@]) || (other.max[@] > max[@]) ) return false;", N)()); return true; } /// Euclidean squared distance from a point. /// See_also: Numerical Recipes Third Edition (2007) @nogc real squaredDistance(bound_t point) pure const nothrow { assert(isSorted()); real distanceSquared = 0; for (int i = 0; i < N; ++i) { if (point[i] < min[i]) distanceSquared += (point[i] - min[i]) ^^ 2; if (point[i] > max[i]) distanceSquared += (point[i] - max[i]) ^^ 2; } return distanceSquared; } /// Euclidean distance from a point. /// See_also: squaredDistance. @nogc real distance(bound_t point) pure const nothrow { return sqrt(squaredDistance(point)); } /// Euclidean squared distance from another box. /// See_also: Numerical Recipes Third Edition (2007) @nogc real squaredDistance(Box o) pure const nothrow { assert(isSorted()); assert(o.isSorted()); real distanceSquared = 0; for (int i = 0; i < N; ++i) { if (o.max[i] < min[i]) distanceSquared += (o.max[i] - min[i]) ^^ 2; if (o.min[i] > max[i]) distanceSquared += (o.min[i] - max[i]) ^^ 2; } return distanceSquared; } /// Euclidean distance from another box. /// See_also: squaredDistance. @nogc real distance(Box o) pure const nothrow { return sqrt(squaredDistance(o)); } /// Assumes sorted boxes. /// This function deals with empty boxes correctly. /// Returns: Intersection of two boxes. @nogc Box intersection(Box o) pure const nothrow { assert(isSorted()); assert(o.isSorted()); // Return an empty box if one of the boxes is empty if (empty()) return this; if (o.empty()) return o; Box result = void; for (int i = 0; i < N; ++i) { T maxOfMins = (min.v[i] > o.min.v[i]) ? min.v[i] : o.min.v[i]; T minOfMaxs = (max.v[i] < o.max.v[i]) ? max.v[i] : o.max.v[i]; result.min.v[i] = maxOfMins; result.max.v[i] = minOfMaxs >= maxOfMins ? minOfMaxs : maxOfMins; } return result; } /// Assumes sorted boxes. /// This function deals with empty boxes correctly. /// Returns: Intersection of two boxes. @nogc bool intersects(Box other) pure const nothrow { Box inter = this.intersection(other); return inter.isSorted() && !inter.empty(); } /// Extends the area of this Box. @nogc Box grow(bound_t space) pure const nothrow { Box res = this; res.min -= space; res.max += space; return res; } /// Shrink the area of this Box. The box might became unsorted. @nogc Box shrink(bound_t space) pure const nothrow { return grow(-space); } /// Extends the area of this Box. @nogc Box grow(T space) pure const nothrow { return grow(bound_t(space)); } /// Translate this Box. @nogc Box translate(bound_t offset) pure const nothrow { return Box(min + offset, max + offset); } /// Shrinks the area of this Box. /// Returns: Shrinked box. @nogc Box shrink(T space) pure const nothrow { return shrink(bound_t(space)); } /// Expands the box to include point. /// Returns: Expanded box. @nogc Box expand(bound_t point) pure const nothrow { import vector = math.vector; return Box(vector.minByElem(min, point), vector.maxByElem(max, point)); } /// Expands the box to include another box. /// This function deals with empty boxes correctly. /// Returns: Expanded box. @nogc Box expand(Box other) pure const nothrow { assert(isSorted()); assert(other.isSorted()); // handle empty boxes if (empty()) return other; if (other.empty()) return this; Box result = void; for (int i = 0; i < N; ++i) { T minOfMins = (min.v[i] < other.min.v[i]) ? min.v[i] : other.min.v[i]; T maxOfMaxs = (max.v[i] > other.max.v[i]) ? max.v[i] : other.max.v[i]; result.min.v[i] = minOfMins; result.max.v[i] = maxOfMaxs; } return result; } /// Returns: true if each dimension of the box is >= 0. @nogc bool isSorted() pure const nothrow { for(int i = 0; i < N; ++i) { if (min[i] > max[i]) return false; } return true; } /// Assign with another box. @nogc ref Box opAssign(U)(U x) nothrow if (isBox!U) { static if(is(U.element_t : T)) { static if(U._size == _size) { min = x.min; max = x.max; } else { static assert(false, "no conversion between boxes with different dimensions"); } } else { static assert(false, "no conversion from " ~ U.element_t.stringof ~ " to " ~ element_t.stringof); } return this; } /// Returns: true if comparing equal boxes. @nogc bool opEquals(U)(U other) pure const nothrow if (is(U : Box)) { return (min == other.min) && (max == other.max); } static if (N == 2) { /// Helper function to create rectangle with a given point, width and height. static @nogc Box rectangle(T x, T y, T width, T height) pure nothrow { return Box(x, y, x + width, y + height); } } } private { enum _size = N; alias T element_t; } } /// Instanciate to use a 2D box. template box2(T) { alias Box!(T, 2) box2; } /// Instanciate to use a 3D box. template box3(T) { alias Box!(T, 3) box3; } alias box2!int box2i; /// 2D box with integer coordinates. alias box3!int box3i; /// 3D box with integer coordinates. alias box2!float box2f; /// 2D box with float coordinates. alias box3!float box3f; /// 3D box with float coordinates. alias box2!double box2d; /// 2D box with double coordinates. alias box3!double box3d; /// 3D box with double coordinates. unittest { box2i a = box2i(1, 2, 3, 4); assert(a.width == 2); assert(a.height == 2); assert(a.volume == 4); box2i b = box2i(vec2i(1, 2), vec2i(3, 4)); assert(a == b); box2i c = box2i(0, 0, 1,1); assert(c.translate(vec2i(3, 3)) == box2i(3, 3, 4, 4)); assert(c.contains(vec2i(0, 0))); assert(!c.contains(vec2i(1, 1))); assert(b.contains(b)); box2i d = c.expand(vec2i(3, 3)); assert(d.contains(vec2i(2, 2))); assert(d == d.expand(d)); assert(!box2i(0, 0, 4, 4).contains(box2i(2, 2, 6, 6))); assert(box2f(0, 0, 0, 0).empty()); assert(!box2f(0, 2, 1, 1).empty()); assert(!box2f(0, 0, 1, 1).empty()); assert(box2i(260, 100, 360, 200).intersection(box2i(100, 100, 200, 200)).empty()); // union with empty box is identity assert(a.expand(box2i(10, 4, 10, 6)) == a); // intersection with empty box is empty assert(a.intersection(box2i(10, 4, 10, 6)).empty); assert(box2i.rectangle(1, 2, 3, 4) == box2i(1, 2, 4, 6)); } /// True if `T` is a kind of Box enum isBox(T) = is(T : Box!U, U...); unittest { static assert( isBox!box2f); static assert( isBox!box3d); static assert( isBox!(Box!(real, 2))); static assert(!isBox!vec2f); } /// Get the numeric type used to measure a box's dimensions. alias DimensionType(T : Box!U, U...) = U[0]; /// unittest { static assert(is(DimensionType!box2f == float)); static assert(is(DimensionType!box3d == double)); } private { static string generateLoopCode(string formatString, int N)() pure nothrow { string result; for (int i = 0; i < N; ++i) { string index = ctIntToString(i); // replace all @ by indices result ~= formatString.replace("@", index); } return result; } // Speed-up CTFE conversions static string ctIntToString(int n) pure nothrow { static immutable string[16] table = ["0", "1", "2", "3", "4", "5", "6", "7", "8", "9"]; if (n < 10) return table[n]; else return to!string(n); } }
D
/**************************************************************************** ** ** Copyright (C) 2014 Digia Plc and/or its subsidiary(-ies). ** Contact: http://www.qt-project.org/legal ** ** This file is part of the QtQuick module of the Qt Toolkit. ** ** $QT_BEGIN_LICENSE:LGPL21$ ** Commercial License Usage ** Licensees holding valid commercial Qt licenses may use this file in ** accordance with the commercial license agreement provided with the ** Software or, alternatively, in accordance with the terms contained in ** a written agreement between you and Digia. For licensing terms and ** conditions see http://qt.digia.com/licensing. For further information ** use the contact form at http://qt.digia.com/contact-us. ** ** GNU Lesser General Public License Usage ** Alternatively, this file may be used under the terms of the GNU Lesser ** General Public License version 2.1 or version 3 as published by the Free ** Software Foundation and appearing in the file LICENSE.LGPLv21 and ** LICENSE.LGPLv3 included in the packaging of this file. Please review the ** following information to ensure the GNU Lesser General Public License ** requirements will be met: https://www.gnu.org/licenses/lgpl.html and ** http://www.gnu.org/licenses/old-licenses/lgpl-2.1.html. ** ** In addition, as a special exception, Digia gives you certain additional ** rights. These rights are described in the Digia Qt LGPL Exception ** version 1.1, included in the file LGPL_EXCEPTION.txt in this package. ** ** $QT_END_LICENSE$ ** ****************************************************************************/ public import QtQuick.qsgmaterial; template <typename State> extern(C++) class QSGSimpleMaterialShader : QSGMaterialShader { public: void initialize() { QSGMaterialShader::initialize(); m_id_matrix = program()->uniformLocation(uniformMatrixName()); if (m_id_matrix < 0) { qFatal("QSGSimpleMaterialShader does not implement 'uniform highp mat4 %s;' in its vertex shader", uniformMatrixName()); } const(char)* opacity = uniformOpacityName(); if (opacity) { m_id_opacity = program()->uniformLocation(uniformOpacityName()); if (m_id_opacity < 0) { qFatal("QSGSimpleMaterialShader does not implement 'uniform lowp float %s' in its fragment shader", uniformOpacityName()); } } else { m_id_opacity = -1; } resolveUniforms(); } const(char)* uniformMatrixName() const { return "qt_Matrix"; } const(char)* uniformOpacityName() const { return "qt_Opacity"; } void updateState(ref const(RenderState) state, QSGMaterial *newMaterial, QSGMaterial *oldMaterial); /+virtual+/ void updateState(const(State)* newState, const(State)* oldState) = 0; /+virtual+/ void resolveUniforms() {} /+virtual+/ QList<QByteArray> attributes() const = 0; char const *const *attributeNames() const { if (m_attribute_pointers.size()) return m_attribute_pointers.constData(); QList<QByteArray> names = attributes(); // Calculate the total number of bytes needed, so we don't get rellocs and // bad pointers while copying over the individual names. // Add an extra byte pr entry for the '\0' char. int total = 0; for (int i=0; i<names.size(); ++i) total += names.at(i).size() + 1; m_attribute_name_data.reserve(total); // Copy over the names for (int i=0; i<names.size(); ++i) { m_attribute_pointers << m_attribute_name_data.constData() + m_attribute_name_data.size(); m_attribute_name_data.append(names.at(i)); m_attribute_name_data.append('\0'); } // Append the "null" terminator m_attribute_pointers << 0; return m_attribute_pointers.constData(); } private: int m_id_matrix; int m_id_opacity; mutable QByteArray m_attribute_name_data; mutable QVector<const(char)* > m_attribute_pointers; } #define QSG_DECLARE_SIMPLE_SHADER(Shader, State) \ static QSGMaterialShader *createShader() \ { \ return new Shader; \ } \ public: \ static QSGSimpleMaterial<State> *createMaterial() \ { \ return new QSGSimpleMaterial<State>(createShader); \ } typedef QSGMaterialShader *(*PtrShaderCreateFunc)(); template <typename State> extern(C++) class QSGSimpleMaterial : QSGMaterial { public: #ifndef qdoc QSGSimpleMaterial(ref const(State) aState, PtrShaderCreateFunc func) : m_state(aState) , m_func(func) { } QSGSimpleMaterial(PtrShaderCreateFunc func) : m_func(func) { } QSGMaterialShader *createShader() const { return m_func(); } QSGMaterialType *type() const { return &m_type; } State *state() { return &m_state; } const(State)* state() const { return &m_state; } #endif private: static QSGMaterialType m_type; State m_state; PtrShaderCreateFunc m_func; } #define QSG_DECLARE_SIMPLE_COMPARABLE_SHADER(Shader, State) \ static QSGMaterialShader *createShader() \ { \ return new Shader; \ } \ public: \ static QSGSimpleMaterialComparableMaterial<State> *createMaterial() \ { \ return new QSGSimpleMaterialComparableMaterial<State>(createShader); \ } template <typename State> extern(C++) class QSGSimpleMaterialComparableMaterial : QSGSimpleMaterial<State> { public: QSGSimpleMaterialComparableMaterial(ref const(State) state, PtrShaderCreateFunc func) : QSGSimpleMaterial<State>(state, func) {} QSGSimpleMaterialComparableMaterial(PtrShaderCreateFunc func) : QSGSimpleMaterial<State>(func) {} int compare(const(QSGMaterial)* other) const { return QSGSimpleMaterialComparableMaterial<State>::state()->compare(static_cast<const QSGSimpleMaterialComparableMaterial<State> *>(other)->state()); } } template <typename State> QSGMaterialType QSGSimpleMaterial<State>::m_type; template <typename State> Q_INLINE_TEMPLATE void QSGSimpleMaterialShader<State>::updateState(ref const(RenderState) state, QSGMaterial *newMaterial, QSGMaterial *oldMaterial) { if (state.isMatrixDirty()) program()->setUniformValue(m_id_matrix, state.combinedMatrix()); if (state.isOpacityDirty() && m_id_opacity >= 0) program()->setUniformValue(m_id_opacity, state.opacity()); State *ns = static_cast<QSGSimpleMaterial<State> *>(newMaterial)->state(); State *old = 0; if (oldMaterial) old = static_cast<QSGSimpleMaterial<State> *>(oldMaterial)->state(); updateState(ns, old); } #endif
D
module org.serviio.delivery.resource.AudioDeliveryEngine; import java.lang.Integer; import java.util.ArrayList; import java.util.Collections; import java.util.Iterator; import java.util.LinkedHashMap; import java.util.List; import java.util.Map; import java.util.Map : Entry; import org.serviio.delivery.AudioMediaInfo; import org.serviio.delivery.resource.transcode.AbstractTranscodingDeliveryEngine; import org.serviio.delivery.resource.transcode.AudioTranscodingDefinition; import org.serviio.delivery.resource.transcode.AudioTranscodingMatch; import org.serviio.delivery.resource.transcode.TranscodingDefinition; import org.serviio.dlna.AudioContainer; import org.serviio.dlna.MediaFormatProfile; import org.serviio.dlna.MediaFormatProfileResolver; import org.serviio.dlna.UnsupportedDLNAMediaFileFormatException; import org.serviio.external.FFMPEGWrapper; import org.serviio.library.entities.MusicTrack; import org.serviio.profile.DeliveryQuality; import org.serviio.profile.Profile; import org.slf4j.Logger; import org.slf4j.LoggerFactory; public class AudioDeliveryEngine : AbstractTranscodingDeliveryEngine!(AudioMediaInfo, MusicTrack) { private static AudioDeliveryEngine instance; private static immutable Logger log = LoggerFactory.getLogger!(AudioDeliveryEngine)(); public static AudioDeliveryEngine getInstance() { if (instance is null) { instance = new AudioDeliveryEngine(); } return instance; } protected LinkedHashMap!(DeliveryQuality.QualityType, List!(AudioMediaInfo)) retrieveOriginalMediaInfo(MusicTrack mediaItem, Profile rendererProfile) { List!(MediaFormatProfile) fileProfiles = MediaFormatProfileResolver.resolve(mediaItem); LinkedHashMap!(DeliveryQuality.QualityType, List!(AudioMediaInfo)) result = new LinkedHashMap!(DeliveryQuality.QualityType, List!(AudioMediaInfo))(); List!(AudioMediaInfo) mediaInfos = new ArrayList!(AudioMediaInfo)(); foreach (MediaFormatProfile fileProfile ; fileProfiles) { mediaInfos.add(new AudioMediaInfo(mediaItem.getId(), fileProfile, mediaItem.getFileSize(), false, mediaItem.isLive(), mediaItem.getDuration(), rendererProfile.getMimeType(fileProfile), mediaItem.getChannels(), mediaItem.getSampleFrequency(), mediaItem.getBitrate(), DeliveryQuality.QualityType.ORIGINAL)); } result.put(DeliveryQuality.QualityType.ORIGINAL, mediaInfos); return result; } protected LinkedHashMap!(DeliveryQuality.QualityType, List!(AudioMediaInfo)) retrieveTranscodedMediaInfo(MusicTrack mediaItem, Profile rendererProfile, Long fileSize) { LinkedHashMap!(DeliveryQuality.QualityType, List!(AudioMediaInfo)) transcodedMI = new LinkedHashMap!(DeliveryQuality.QualityType, List!(AudioMediaInfo))(); Map!(DeliveryQuality.QualityType, TranscodingDefinition) trDefs = getMatchingTranscodingDefinitions(mediaItem, rendererProfile); if (trDefs.size() > 0) { foreach (Entry!(DeliveryQuality.QualityType, TranscodingDefinition) trDefEntry ; trDefs.entrySet()) { DeliveryQuality.QualityType qualityType = cast(DeliveryQuality.QualityType)trDefEntry.getKey(); AudioTranscodingDefinition trDef = cast(AudioTranscodingDefinition)trDefEntry.getValue(); Integer targetSamplerate = FFMPEGWrapper.getAudioFrequency(trDef, mediaItem.getSampleFrequency(), trDef.getTargetContainer() == AudioContainer.LPCM); Integer targetBitrate = FFMPEGWrapper.getAudioBitrate(mediaItem.getBitrate(), trDef); Integer targetChannels = FFMPEGWrapper.getAudioChannelNumber(mediaItem.getChannels(), null, true, false); try { MediaFormatProfile transcodedProfile = MediaFormatProfileResolver.resolveAudioFormat(mediaItem.getFileName(), trDef.getTargetContainer(), targetBitrate, targetSamplerate, targetChannels); log.debug_(String.format("Found Format profile for transcoded file %s: %s", cast(Object[])[ mediaItem.getFileName(), transcodedProfile ])); transcodedMI.put(qualityType, Collections.singletonList(new AudioMediaInfo(mediaItem.getId(), transcodedProfile, fileSize, true, mediaItem.isLive(), mediaItem.getDuration(), rendererProfile.getMimeType(transcodedProfile), targetChannels, targetSamplerate, targetBitrate, qualityType))); } catch (UnsupportedDLNAMediaFileFormatException e) { log.warn(String.format("Cannot get media info for transcoded file %s: %s", cast(Object[])[ mediaItem.getFileName(), e.getMessage() ])); } } return transcodedMI; } log.warn(String.format("Cannot find matching transcoding definition for file %s", cast(Object[])[ mediaItem.getFileName() ])); return new LinkedHashMap!(DeliveryQuality.QualityType, List!(AudioMediaInfo))(); } protected TranscodingDefinition getMatchingTranscodingDefinition(List!(TranscodingDefinition) tDefs, MusicTrack mediaItem) { Iterator!(TranscodingDefinition) i; if ((tDefs !is null) && (tDefs.size() > 0)) for (i = tDefs.iterator(); i.hasNext(); ) { TranscodingDefinition tDef = cast(TranscodingDefinition)i.next(); List!(AudioTranscodingMatch) matches = (cast(AudioTranscodingDefinition)tDef).getMatches(); foreach (AudioTranscodingMatch match ; matches) if (match.matches(mediaItem.getContainer(), getOnlineContentType(mediaItem))) return cast(AudioTranscodingDefinition)tDef; } return null; } } /* Location: D:\Program Files\Serviio\lib\serviio.jar * Qualified Name: org.serviio.delivery.resource.AudioDeliveryEngine * JD-Core Version: 0.6.2 */
D
/++ + The Seen plugin implements "seen" functionality; the ability for someone to + query when a given nickname was last seen online. + + We will implement this by keeping an internal `long[string]` associative + array of timestamps keyed by nickname. Whenever we see a user do something, + we will update his or her timestamp to the current time. We'll save this + array to disk when closing the program and read it from file when starting + it, as well as saving occasionally once every few (configurable) hours. + + We will rely on the `kameloso.plugins.chanqueries.ChanQueriesService` to query + channels for full lists of users upon joining new ones, including the + ones we join upon connecting. Elsewise, a completely silent user will never + be recorded as having been seen, as they would never be triggering any of + the functions we define to listen to. + + kameloso does primarily not use callbacks, but instead annotates functions + with `UDA`s of IRC event *types*. When an event is incoming it will trigger + the function(s) annotated with its type. + + Callback `core.thread.Fiber`s *are* supported. They can be registered to + process on incoming events, or scheduled with a worst-case precision of + `lu.net.DefaultTimeout.receive` milliseconds, plus up to + `kameloso.plugins.package.EnabledPlugins.length` number of plugins' event + handling execution time. Generally the latter is insignificant. + + See the GitHub wiki for more information about available commands:<br> + - https://github.com/zorael/kameloso/wiki/Current-plugins#seen +/ module kameloso.plugins.seen; // We only want to compile this if we're compiling plugins at all. version(WithPlugins): // ...and also if compiling in specifically this plugin. version(WithSeenPlugin): // We need the definition of an `IRCPlugin`. private import kameloso.plugins.ircplugin; // And crucial things from `kameloso.plugins.common`. private import kameloso.plugins.common; // Awareness mixins, for plumbing. private import kameloso.plugins.awareness : ChannelAwareness, UserAwareness; // Likewise `dialect.defs`, for the definitions of an IRC event. private import dialect.defs; // `kameloso.irccolours` for some IRC colouring and formatting. private import kameloso.irccolours : ircBold, ircColourByHash; // `kameloso.common` for some globals. private import kameloso.common : Tint, logger, settings; // `std.datetime.systime` for the `Clock`, to update times with. private import std.datetime.systime : Clock; /+ Most of the module can (and ideally should) be kept private. Our surface area here will be restricted to only one `kameloso.plugins.ircplugin.IRCPlugin` class, and the usual pattern used is to have the private bits first and that public class last. We'll turn that around here to make it easier to visually parse. +/ public: // SeenPlugin /++ + This is your plugin to the outside world, the only thing visible in the + entire module. It only serves as a way of proxying calls to our top-level + private functions, as well as to house plugin-private variables that we want + to keep out of top-level scope for the sake of modularity. If the only state + is in the plugin, several plugins of the same kind can technically be run + alongside each other, which would allow for several bots to be run in + parallel. This is not yet supported but there's nothing stopping it. + + As such it houses this plugin's *state*, notably its instance of + `SeenSettings` and its `kameloso.plugins.common.IRCPluginState`. + + The `kameloso.plugins.common.IRCPluginState` is a struct housing various + variables that together make up the plugin's state. This is where + information is kept about the bot, the server, and some metathings allowing + us to send messages to the server. We don't define it here; we mix it in + later with the `kameloso.plugins.ircplugin.IRCPluginImpl` mixin. + + --- + struct IRCPluginState + { + IRCClient client; + IRCServer server; + IRCBot bot; + Tid mainThread; + IRCUser[string] users; + IRCChannel[string] channels; + TriggerRequest[][string] triggerRequestQueue; + Replay[] replays; + Fiber[][] awaitingFibers; + ScheduledFiber[] scheduledFibers; // `ScheduledFiber` is an alias in `kameloso.thread` + long nextPeriodical; + long nextFiberTimestamp; + bool botUpdated; + bool clientUpdated; + bool serverUpdated; + } + --- + + * `kameloso.plugins.common.IRCPluginState.client` houses information about + the client itself, such as your nickname and other things related to an + IRC client. + + * `kameloso.plugins.common.IRCPluginState.server` houses information about + the server you're connected to. + + * `kameloso.plugins.common.IRCPluginState.bot` houses information about + things that relate to an IRC bot, like which channels to join, which + home channels to operate in, the list of administrator accounts, etc. + + * `kameloso.plugins.common.IRCPluginState.mainThread` is the *thread ID* of + the thread running the main loop. We indirectly use it to send strings to + the server by way of concurrency messages, but it is usually not something + you will have to deal with directly. + + * `kameloso.plugins.common.IRCPluginState.users` is an associative array + keyed with users' nicknames. The value to that key is an + `dialect.defs.IRCUser` representing that user in terms of nickname, + address, ident, and services account name. This is a way to keep track of + users by more than merely their name. It is however not saved at the end + of the program; it is merely state and transient. + + * `kameloso.plugins.common.IRCPluginState.channels` is another associative + array, this one with all the known channels keyed by their names. This + way we can access detailed information about any given channel, knowing + only their name. + + * `kameloso.plugins.common.IRCPluginState.triggerRequestQueue` is also an + associative array into which we place `kameloso.plugins.common.TriggerRequest`s. + The main loop will pick up on these and call `WHOIS` on the nickname in the key- + A `kameloso.plugins.common.TriggerRequest` is otherwise just an + `dialect.defs.IRCEvent` to be played back when the `WHOIS` results + return, as well as a function pointer to call with that event. This is + all wrapped in a function `kameloso.plugins.common.doWhois`, with the + queue management handled behind the scenes. + + * `kameloso.plugins.common.IRCPluginState.replays` is an array of + `kameloso.plugins.common.Replay`s, which is instrumental in replaying + events from the context of the main event loop. This allows us to update + information in the event, such as details on its sender, before replaying + it again. This can only be done outside of plugins. + + * `kameloso.plugins.common.IRCPluginState.awaitingFibers` is an associative + array of `core.thread.Fiber`s keyed by `kameloso.ircdefs.IRCEvent.Type`s. + Fibers in the array of a particular event type will be executed the next + time such an event is incoming. Think of it as Fiber callbacks. + + * `kameloso.plugins.common.IRCPluginState.scheduledFibers` is also an array of + `core.thread.Fiber`s, but not an associative one keyed on event types. + Instead they are tuples of a `core.thread.Fiber` and a `long` UNIX + timestamp of when they should be run. + Use `kameloso.plugins.common.delayFiber` to enqueue. + + * `kameloso.plugins.common.IRCPluginState.nextPeriodical` is a UNIX timestamp + of when the `periodical(IRCPlugin)` function should be run next. It is a + way of automating occasional tasks, in our case the saving of the seen + users to disk. + + * `kameloso.plugins.common.IRCPluginState.nextFiberTimestamp` is also a + UNIX timestamp, here of when the next `kameloso.thread.ScheduledFiber` in + `kameloso.plugins.common.IRCPluginState.scheduledFibers` is due to be + processed. Caching it here means we won't have to go through the array + to find out as often. + + * `kameloso.plugins.common.IRCPluginState.botUpdated` is set when + `kameloso.plugins.common.IRCPluginState.bot` was updated during parsing + and/or postprocessing. It is merely for internal use. + + * `kameloso.plugins.common.IRCPluginState.clientUpdated` is likewise set when + `kameloso.plugins.common.IRCPluginState.client` was updated during parsing + and/or postprocessing. Ditto. + + * `kameloso.plugins.common.IRCPluginState.serverUpdated` is likewise set when + `kameloso.plugins.common.IRCPluginState.server` was updated during parsing + and/or postprocessing. Ditto. +/ final class SeenPlugin : IRCPlugin { private: // Module-level private. // seenSettings /++ + An instance of *settings* for the Seen plugin. We will define this + later. The members of it will be saved to and loaded from the + configuration file, for use in our module. +/ SeenSettings seenSettings; // seenUsers /++ + Our associative array (AA) of seen users; the dictionary keyed with + users' nicknames and with values that are UNIX timestamps, denoting when + that user was last *seen* online. + + Example: + --- + seenUsers["joe"] = Clock.currTime.toUnixTime; + // ..later.. + immutable now = Clock.currTime.toUnixTime; + writeln("Seconds since we last saw joe: ", (now - seenUsers["joe"])); + --- +/ long[string] seenUsers; // seenFile /++ + The filename to which to persistently store our list of seen users + between executions of the program. + + This is only the basename of the file. It will be completed with a path + to the default (or specified) resource directory, which varies by + platform. Expect this variable to have values like + "`/home/user/.local/share/kameloso/servers/irc.freenode.net/seen.json`" + after the plugin has been instantiated. +/ @Resource string seenFile = "seen.json"; // IRCPluginImpl /++ + This mixes in functions that fully implement an + `kameloso.plugins.ircplugin.IRCPlugin`. They don't do much by themselves + other than call the module's functions. + + As an exception, it mixes in the bits needed to automatically call + functions based on their `dialect.defs.IRCEvent.Type` annotations. + It is mandatory if you want things to work, unless you're making a + separate implementation yourself. + + Seen from any other module, this module is a big block of private things + they can't see, plus this visible plugin class. By having this class + pass on things to the private functions we limit the surface area of + the plugin to be really small. +/ mixin IRCPluginImpl; // MessagingProxy /++ + This mixin adds shorthand functions to proxy calls to + `kameloso.messaging` functions, *partially applied* with the main thread ID, + so they can easily be called with knowledge only of the plugin symbol. + + --- + plugin.chan("#d", "Hello world!"); + plugin.query("kameloso", "Hello you!"); + + with (plugin) + { + chan("#d", "This is convenient"); + query("kameloso", "No need to specify plugin.state.mainThread"); + } + --- +/ mixin MessagingProxy; } /+ + The rest will be private. +/ private: // SeenSettings /++ + We want our plugin to be *configurable* with a section for itself in the + configuration file. For this purpose we create a "Settings" struct housing + our configurable bits, which we already made an instance of in `SeenPlugin`. + + If it's annotated with `kameloso.plugins.common.Settings`, the wizardry will + pick it up and each member of the struct will be given its own line in the + configuration file. Note that not all types are supported, such as + associative arrays or nested structs/classes. + + If the name ends with "Settings", that will be stripped from its section + header in the file. Hence, this plugin's `SeenSettings` will get the header + `[Seen]`. +/ @Settings struct SeenSettings { /++ + Toggles whether or not the plugin should react to events at all. + The @`kameloso.plugins.common.Enabler` annotation makes it special and + lets us easily enable or disable it without having checks everywhere. +/ @Enabler bool enabled = true; } // onSomeAction /++ + Whenever a user does something, record this user as having been seen at the + current time. + + This function will be called whenever an `dialect.defs.IRCEvent` is + being processed of the `dialect.defs.IRCEvent.Type`s that we annotate + the function with. + + The `kameloso.plugins.common.Chainable` annotations mean that the plugin + will also process other functions in this module with the same + `dialect.defs.IRCEvent.Type` annotations, even if this one matched. The + default is otherwise that it will end early after one match, but this + doesn't ring well with catch-all functions like these. It's sensible to save + `kameloso.plugins.common.Chainable` only for the modules and functions that + actually need it. + + The `kameloso.plugins.common.ChannelPolicy` annotation dictates whether or not this + function should be called based on the *channel* the event took place in, if + applicable. The two policies are `kameloso.plugins.common.ChannelPolicy.home`, + in which only events in channels in the `kameloso.common.IRCBot.homeChannels` + array will be allowed to trigger this; or `kameloso.plugins.common.ChannelPolicy.any`, + in which case anywhere goes. For events that don't correspond to a channel (such as + `dialect.defs.IRCEvent.Type.QUERY`) the setting is ignored. + + The `kameloso.plugins.common.PrivilegeLevel` annotation dictates who is + authorised to trigger the function. It has six policies, in increasing + order of importance: + `kameloso.plugins.common.PrivilegeLevel.ignore`, + `kameloso.plugins.common.PrivilegeLevel.anyone`, + `kameloso.plugins.common.PrivilegeLevel.registered`, + `kameloso.plugins.common.PrivilegeLevel.whitelist` + `kameloso.plugins.common.PrivilegeLevel.operator`. and + `kameloso.plugins.common.PrivilegeLevel.admin`. + + * `kameloso.plugins.common.PrivilegeLevel.ignore` will let precisely anyone + trigger it, without looking them up.<br> + * `kameloso.plugins.common.PrivilegeLevel.anyone` will let precisely anyone + trigger it, but only after having looked them up.<br> + * `kameloso.plugins.common.PrivilegeLevel.registered` will let anyone logged + into a services account trigger it.<br> + * `kameloso.plugins.common.PrivilegeLevel.whitelist` will only allow users + in the whitelist section of the `users.json` resource file. Consider this + to correspond to "regulars" in the channel.<br> + * `kameloso.plugins.common.PrivilegeLevel.operator` will only allow users + in the operator section of the `users.json` resource file. Consider this + to correspond to "moderators" in the channel.<br> + * `kameloso.plugins.common.PrivilegeLevel.admin` will allow only you and + your other superuser administrators, as defined in the configuration file. + + In the case of `kameloso.plugins.common.PrivilegeLevel.whitelist`, + `kameloso.plugins.common.PrivilegeLevel.operator` and + `kameloso.plugins.common.PrivilegeLevel.admin` it will look you up and + compare your *services account name* to those known good before doing + anything. In the case of `kameloso.plugins.common.PrivilegeLevel.registered`, + merely being logged in is enough. In the case of + `kameloso.plugins.common.PrivilegeLevel.anyone`, the WHOIS results won't + matter and it will just let it pass, but it will check all the same. + In the other cases, if you aren't logged into services or if your account + name isn't included in the lists, the function will not trigger. + + This particular function doesn't care at all, so it is + `kameloso.plugins.common.PrivilegeLevel.ignore`. +/ @(Chainable) @(IRCEvent.Type.CHAN) @(IRCEvent.Type.QUERY) @(IRCEvent.Type.EMOTE) @(IRCEvent.Type.JOIN) @(IRCEvent.Type.PART) @(IRCEvent.Type.MODE) @(IRCEvent.Type.TWITCH_TIMEOUT) @(IRCEvent.Type.TWITCH_BAN) @(IRCEvent.Type.TWITCH_BULKGIFT) @(IRCEvent.Type.TWITCH_CHARITY) @(IRCEvent.Type.TWITCH_EXTENDSUB) @(IRCEvent.Type.TWITCH_GIFTCHAIN) @(IRCEvent.Type.TWITCH_GIFTRECEIVED) @(IRCEvent.Type.TWITCH_PAYFORWARD) @(IRCEvent.Type.TWITCH_REWARDGIFT) @(IRCEvent.Type.TWITCH_RITUAL) @(IRCEvent.Type.TWITCH_SKIPSUBSMODEMESSAGE) @(IRCEvent.Type.TWITCH_SUB) @(IRCEvent.Type.TWITCH_SUBGIFT) @(IRCEvent.Type.TWITCH_SUBUPGRADE) @(IRCEvent.Type.TWITCH_TIMEOUT) @(PrivilegeLevel.ignore) @(ChannelPolicy.home) void onSomeAction(SeenPlugin plugin, const IRCEvent event) { /+ Updates the user's timestamp to the current time. This will be automatically called on any and all the kinds of `dialect.defs.IRCEvent.Type`s it is annotated with. Furthermore, it will only trigger if it took place in a home channel. +/ plugin.updateUser(event.sender.nickname, event.time); } // onQuit /++ + When someone quits, update their entry with the current timestamp iff they + already have an entry. + + `dialect.defs.IRCEvent.Type.QUIT` events don't carry a channel. + Users bleed into the seen users database by quitting unless we somehow limit + it to only accept quits from those in home channels. Users in home channels + should always have an entry, provided that + `dialect.defs.IRCEvent.Type.RPL_NAMREPLY` lists were given when + joining one, which seems to (largely?) be the case. + + Do nothing if an entry was not found. +/ @(IRCEvent.Type.QUIT) @(PrivilegeLevel.ignore) void onQuit(SeenPlugin plugin, const IRCEvent event) { if (event.sender.nickname in plugin.seenUsers) { plugin.updateUser(event.sender.nickname, event.time); } } // onNick /++ + When someone changes nickname, add a new entry with the current timestamp for + the new nickname, and remove the old one. + + Bookkeeping; this is to avoid getting ghost entries in the seen array. + + Like `dialect.defs.IRCEvent.Type.QUIT`, + dialect.defs.IRCEvent.Type.NICK` events don't carry a channel, so we + can't annotate it `kameloso.plugins.common.ChannelPolicy.home`; all we know + is that the user is in one or more channels we're currently in. We can't + tell whether it's in a home or not. As such, only update if the user has + already been observed at least once, which should always be the case (provided + `dialect.defs.IRCEvent.Type.RPL_NAMREPLY` lists on join). +/ @(Chainable) @(IRCEvent.Type.NICK) @(PrivilegeLevel.ignore) void onNick(SeenPlugin plugin, const IRCEvent event) { if (event.sender.nickname in plugin.seenUsers) { plugin.seenUsers[event.target.nickname] = event.time; plugin.seenUsers.remove(event.sender.nickname); } } // onWHOReply /++ + Catches each user listed in a `WHO` reply and updates their entries in the + seen users list, creating them if they don't exist. + + A `WHO` request enumerates all members in a channel. It returns several + replies, one event per each user in the channel. The + `kameloso.plugins.chanqueries.ChanQueriesService` services instigates this + shortly after having joined one, as a service to other plugins. +/ @(IRCEvent.Type.RPL_WHOREPLY) @(ChannelPolicy.home) void onWHOReply(SeenPlugin plugin, const IRCEvent event) { // Update the user's entry plugin.updateUser(event.target.nickname, event.time); } // onNamesReply /++ + Catch a `NAMES` reply and record each person as having been seen. + + When requesting `NAMES` on a channel, or when joining one, the server will send a big list of + every participant in it, in a big string of nicknames separated by spaces. + This is done automatically when you join a channel. Nicknames are prefixed + with mode signs if they are operators, voiced or similar, so we'll need to + strip that away. +/ @(IRCEvent.Type.RPL_NAMREPLY) @(ChannelPolicy.home) void onNamesReply(SeenPlugin plugin, const IRCEvent event) { import std.algorithm.iteration : splitter; /+ Use a `std.algorithm.iteration.splitter` to iterate each name and call `updateUser` to update (or create) their entry in the `SeenPlugin.seenUsers` associative array. +/ foreach (immutable entry; event.content.splitter(" ")) { import dialect.common : stripModesign; import lu.string : nom; import std.typecons : Flag, No, Yes; string slice = entry; // mutable slice = slice.nom!(Yes.inherit)('!'); // In case SpotChat-like, full nick!ident@address form immutable nickname = slice.stripModesign(plugin.state.server); plugin.updateUser(nickname, event.time); } } // onEndOfList /++ + Optimises the lookups in the associative array of seen users. + + At the end of a long listing of users in a channel, when we're reasonably + sure we've added users to our associative array of seen users, *rehashes* it. +/ @(IRCEvent.Type.RPL_ENDOFNAMES) @(IRCEvent.Type.RPL_ENDOFWHO) @(ChannelPolicy.home) void onEndOfList(SeenPlugin plugin) { plugin.seenUsers.rehash(); } // onCommandSeen /++ + Whenever someone says "seen" in a `dialect.defs.IRCEvent.Type.CHAN` or + a `dialect.defs.IRCEvent.Type.QUERY`, and if + `dialect.defs.IRCEvent.Type.CHAN` then only if in a *home*, this function triggers. + + The `kameloso.plugins.common.BotCommand` annotation defines a piece of text + that the incoming message must start with for this function to be called. + `kameloso.plugins.common.PrefixPolicy` deals with whether the message has to + start with the name of the *bot* or not, and to what extent. + + Prefix policies can be one of: + * `direct`, where the raw command is expected without any bot prefix at all; + the command is simply that string: "`seen`". + * `prefixed`, where the message has to start with the command *prefix* character + or string (usually `!` or `.`): "`!seen`". + * `nickname`, where the message has to start with bot's nickname: + "`kameloso: seen`" -- except if it's in a `dialect.defs.IRCEvent.Type.QUERY` message.<br> + + The plugin system will have made certain we only get messages starting with + "`seen`", since we annotated this function with such a + `kameloso.plugins.common.BotCommand`. It will since have been sliced off, + so we're left only with the "arguments" to "`seen`". `dialect.defs.IRCEvent.aux` + contains the triggering word, if it's needed. + + If this is a `dialect.defs.IRCEvent.Type.CHAN` event, the original lines + could (for example) have been "`kameloso: seen Joe`", or merely "`!seen Joe`" + (assuming a "`!`" prefix). If it was a private `dialect.defs.IRCEvent.Type.QUERY` + message, the `kameloso:` prefix will have been removed. In either case, we're + left with only the parts we're interested in, and the rest sliced off. + + As a result, the `dialect.defs.IRCEvent` `event` would look something like this + (given a user `foo` querying "`!seen Joe`" or "`kameloso: seen Joe`"): + + --- + event.type = IRCEvent.Type.CHAN; + event.sender.nickname = "foo"; + event.sender.ident = "~bar"; + event.sender.address = "baz.foo.bar.org"; + event.channel = "#bar"; + event.content = "Joe"; + event.aux = "seen"; + --- + + Lastly, the `kameloso.plugins.common.Description` annotation merely defines + how this function will be listed in the "online help" list, shown by triggering + the `kameloso.plugins.help.HelpPlugin`'s' "`help`" command. +/ @(IRCEvent.Type.CHAN) @(IRCEvent.Type.QUERY) @(IRCEvent.Type.SELFCHAN) @(PrivilegeLevel.anyone) @(ChannelPolicy.home) @BotCommand(PrefixPolicy.prefixed, "seen") @Description("Queries the bot when it last saw a specified nickname online.", "$command [nickname]") void onCommandSeen(SeenPlugin plugin, const IRCEvent event) { import kameloso.common : timeSince; import dialect.common : isValidNickname; import lu.string : contains; import std.algorithm.searching : canFind; import std.datetime.systime : SysTime; import std.format : format; /+ The bot uses concurrency messages to queue strings to be sent to the server. This has benefits such as that even a multi-threaded program will have synchronous messages sent, and it's overall an easy and convenient way for plugin to send messages up the stack. There are shorthand versions for sending these messages in `kameloso.messaging`, and additionally this module has mixed in `MessagingProxy` in the `SeenPlugin`, creating even shorter shorthand versions. You can therefore use them as such: --- with (plugin) // <-- necessary for the short-shorthand { chan("#d", "Hello world!"); query("kameloso", "Hello you!"); privmsg(event.channel, event.sender.nickname, "Query or chan!"); join("#flerrp"); part("#flerrp"); topic("#flerrp", "This is a new topic"); } --- `privmsg` will either send a channel message or a personal query message depending on the arguments passed to it. If the first `channel` argument is not empty, it will be a `chan` channel message, else a private `query` message. +/ immutable requestedUser = event.content; with (plugin) { if (!requestedUser.length) { immutable message = "Usage: " ~ settings.prefix ~ event.aux ~ " [nickname]"; privmsg(event.channel, event.sender.nickname, message); return; } else if (!requestedUser.isValidNickname(plugin.state.server)) { // Nickname contained a space or other invalid character immutable message = settings.colouredOutgoing ? "Invalid user: " ~ requestedUser.ircBold : "Invalid user: " ~ requestedUser; privmsg(event.channel, event.sender.nickname, message); return; } else if (requestedUser == state.client.nickname) { // The requested nick is the bot's. privmsg(event.channel, event.sender.nickname, "T-that's me though..."); return; } else if (requestedUser == event.sender.nickname) { // The person is asking for seen information about him-/herself. privmsg(event.channel, event.sender.nickname, "That's you!"); return; } foreach (const channel; state.channels) { if (requestedUser in channel.users) { immutable line = (event.channel.length && (event.channel == channel.name)) ? " is here right now!" : " is online right now."; immutable message = settings.colouredOutgoing ? requestedUser.ircColourByHash.ircBold ~ line : requestedUser ~ line; privmsg(event.channel, event.sender.nickname, message); return; } } // No matches if (const userTimestamp = requestedUser in seenUsers) { enum pattern = "I last saw %s %s ago."; const timestamp = SysTime.fromUnixTime(*userTimestamp); immutable elapsed = timeSince(Clock.currTime - timestamp); immutable message = settings.colouredOutgoing ? pattern.format(requestedUser.ircColourByHash.ircBold, elapsed) : pattern.format(requestedUser, elapsed); privmsg(event.channel, event.sender.nickname, message); } else { enum pattern = "I have never seen %s."; // No matches for nickname `event.content` in `plugin.seenUsers`. immutable message = settings.colouredOutgoing ? pattern.format(requestedUser.ircColourByHash.ircBold) : pattern.format(requestedUser); privmsg(event.channel, event.sender.nickname, message); } } } // updateUser /++ + Updates a given nickname's entry in the seen array with the passed time, + expressed in UNIX time. + + This is not annotated with an IRC event type and will merely be invoked from + elsewhere, like any normal function. + + Example: + --- + string potentiallySignedNickname = "@kameloso"; + long now = Clock.currTime.toUnixTime; + plugin.updateUser(potentiallySignedNickname, now); + --- + + Params: + plugin = Current `SeenPlugin`. + signed = Nickname to update, potentially prefixed with one or more modesigns + (`@`, `+`, `%`, ...). + time = UNIX timestamp of when the user was seen. +/ void updateUser(SeenPlugin plugin, const string signed, const long time) in (signed.length, "Tried to update a user with an empty (signed) nickname") { import dialect.common : stripModesign; // Make sure to strip the modesign, so `@foo` is the same person as `foo`. immutable nickname = signed.stripModesign(plugin.state.server); if (nickname == plugin.state.client.nickname) return; plugin.seenUsers[nickname] = time; } // updateAllObservedUsers /++ + Updates all currently observed users. + + This allows us to update users that don't otherwise trigger events that + would register activity, such as silent participants. + + Params: + plugin = Current `SeenPlugin`. +/ void updateAllObservedUsers(SeenPlugin plugin) { bool[string] uniqueUsers; foreach (immutable channelName, const channel; plugin.state.channels) { foreach (const nickname; channel.users.byKey) { uniqueUsers[nickname] = true; } } immutable now = Clock.currTime.toUnixTime; foreach (immutable nickname; uniqueUsers.byKey) { plugin.updateUser(nickname, now); } } // loadSeen /++ + Given a filename, reads the contents and load it into a `long[string]` + associative array, then returns it. If there was no file there to read, + returns an empty array for a fresh start. + + Params: + filename = Filename of the file to read from. + + Returns: + `long[string]` associative array; UNIX timestamp longs keyed by nickname strings. +/ long[string] loadSeen(const string filename) { import std.file : exists, isFile, readText; import std.json : JSONException, parseJSON; long[string] aa; scope(exit) { import lu.string : plurality; logger.logf("Currently %s%d%s %s seen.", Tint.info, aa.length, Tint.log, aa.length.plurality("user", "users")); } if (!filename.exists || !filename.isFile) { logger.warningf("%s%s%s does not exist or is not a file", Tint.log, filename, Tint.warning); return aa; } try { const asJSON = parseJSON(filename.readText).object; // Manually insert each entry from the JSON file into the long[string] AA. foreach (immutable user, const time; asJSON) { aa[user] = time.integer; } } catch (JSONException e) { logger.error("Could not load seen JSON from file: ", Tint.log, e.msg); } // Rehash the AA, since we potentially added a *lot* of users. return aa.rehash(); } // saveSeen /++ + Saves the passed seen users associative array to disk, but in JSON format. + + This is a convenient way to serialise the array. + + Params: + seenUsers = The associative array of seen users to save. + filename = Filename of the file to write to. +/ void saveSeen(const long[string] seenUsers, const string filename) in (filename.length, "Tried to save seen users to an empty filename") { import std.json : JSONValue; import std.stdio : File, writeln; auto file = File(filename, "w"); file.writeln(JSONValue(seenUsers).toPrettyString); } // onEndOfMotd /++ + After we have registered on the server and seen the "message of the day" + spam, loads our seen users from file. + + There's little point in loading it too early. +/ @(IRCEvent.Type.RPL_ENDOFMOTD) @(IRCEvent.Type.ERR_NOMOTD) void onEndOfMotd(SeenPlugin plugin) { plugin.seenUsers = loadSeen(plugin.seenFile); } // periodically /++ + Saves seen users to disk once every `hoursBetweenSaves` hours. + + This is to make sure that as little data as possible is lost in the event + of an unexpected shutdown. + + `periodically` is a function that is automatically called whenever the + current UNIX timestamp matches or exceeds the value of `plugin.state.nextPeriodical`. +/ void periodically(SeenPlugin plugin, const long now) { enum hoursBetweenSaves = 3; plugin.state.nextPeriodical = now + (hoursBetweenSaves * 3600); if (plugin.isEnabled) { plugin.updateAllObservedUsers(); plugin.seenUsers.rehash().saveSeen(plugin.seenFile); } } // teardown /++ + When closing the program or when crashing with grace, saves the seen users + array to disk for later reloading. +/ void teardown(SeenPlugin plugin) { plugin.updateAllObservedUsers(); plugin.seenUsers.saveSeen(plugin.seenFile); } // initResources /++ + Reads and writes the file of seen people to disk, ensuring that it's there. +/ void initResources(SeenPlugin plugin) { import lu.json : JSONStorage; import std.json : JSONException; JSONStorage json; try { json.load(plugin.seenFile); } catch (JSONException e) { import kameloso.terminal : TerminalToken; import std.path : baseName; logger.warning(plugin.seenFile.baseName, " is corrupt. Starting afresh.", cast(char)TerminalToken.bell); } // Let other Exceptions pass. json.save(plugin.seenFile); } import kameloso.thread : Sendable; // onBusMessage /++ + Receives a passed `kameloso.thread.BusMessage` with the "`seen`" header, + and calls functions based on the payload message. + + This is used in the Pipeline plugin, to allow us to trigger seen verbs via + the command-line pipe, as well as in the Admin plugin for remote control + over IRC. + + Params: + plugin = The current `SeenPlugin`. + header = String header describing the passed content payload. + content = Message content. +/ debug version(Posix) void onBusMessage(SeenPlugin plugin, const string header, shared Sendable content) { if (!plugin.isEnabled) return; if (header != "seen") return; import kameloso.thread : BusMessage; import lu.string : strippedRight; auto message = cast(BusMessage!string)content; assert(message, "Incorrectly cast message: " ~ typeof(message).stringof); immutable verb = message.payload.strippedRight; switch (verb) { case "reload": plugin.seenUsers = loadSeen(plugin.seenFile); logger.info("Seen users reloaded from disk."); break; case "save": plugin.updateAllObservedUsers(); plugin.seenUsers.saveSeen(plugin.seenFile); logger.info("Seen users saved to disk."); break; default: logger.error("[seen] Unimplemented bus message verb: ", verb); break; } } /++ + `kameloso.plugins.common.UserAwareness` is a mixin template; a few functions + defined in `kameloso.plugins.common` to deal with common bookkeeping that + every plugin *that wants to keep track of users* need. If you don't want to + track which users you have seen (and are visible to you now), you don't need this. +/ mixin UserAwareness; /++ + Complementary to `kameloso.plugins.common.UserAwareness` is + `kameloso.plugins.common.ChannelAwareness`, which will add in bookkeeping + about the channels the bot is in, their topics, modes and list of + participants. Channel awareness requires user awareness, but not the other way around. + + We will want it to limit the amount of tracked users to people in our home channels. +/ mixin ChannelAwareness; /++ + This full plugin is <200 source lines of code. (`dscanner --sloc seen.d`) + Even at those numbers it is fairly feature-rich. +/
D
/* $Id: st13a.d,v 1.1 2008/10/24 22:54:20 devel Exp $ */ #include <math.h> #include "bcode.h" #include "ldev.h" /* hardware device defines */ #include "lcode.h" /* Ecodes */ #include "lcalib.h" /* local (per-rig) screen calibration */ #include "make_msg.h" /* funcs to form command messages */ #include "transport.h" /* funcs to send command messages to render */ #include "actions.h" /* higher-level actions for render */ #include "pixels.h" /* pixel conversion funcs */ #include "ivunif.h" /* random number routines */ #include "segtree.h" /* segment tree routines */ /* * Ecodes local to the steering paradigm */ #define MINIMUMCD 1500 #define BASECD 1550 #define INITCD 1501 #define TRIALCD 1502 #define UPDCD 1503 #define MISSEDCD 1505 // missed frame code #define TRIALENDCD 1506 #define JENDCD 1508 #define WENTCD 1509 #define JBEGINCD 1510 #define JLEFTCD 1512 #define JRIGHTCD 1513 #define BLIPBEGINCD 1514 #define BLIPENDCD 1515 #define BLINKBEGINCD 1516 #define BLINKENDCD 1517 #define ISICD 1900 #define GOCD 1901 #define BADCD 8192 /* Channel numbers for bcodes */ #define CH_JOY 1 #define CH_TRAJ 2 #define CH_TARG 3 #define CH_BLIP_OMEGA_MAX 4 #define CH_BLIP_DURATION_FRAMES 5 #define CH_FRAMES_PER_SECOND 100 #define CH_SPEED 101 #define CH_MS_BEFORE_JUMP 102 #define CH_MS_AFTER_JUMP 103 #define CH_NTRIALS 104 #define CH_JUMPS_PER_TRIAL 105 #define CH_STEER_MAX_DEGREES 106 #define CH_TARG_OFFSET_DEGREES_0 107 #define CH_TARG_OFFSET_DEGREES_1 108 #define CH_BLINK_PROBABILITY_PER_JUMP 109 #define CH_BLINK_DURATION_MS 110 #define CH_BLINK_GUARD_MS 111 #define CH_BLIP_PROBABILITY_PER_JUMP 112 #define CH_BLIP_DURATION_MS 113 #define CH_BLIP_GUARD_MS 114 #define CH_BLIP_MAX_ANG_VELOCITY_DEG_PER_SEC 115 #define CH_TARG_OFFSET_DEGREES_2 116 #define CH_TARG_OFFSET_DEGREES_3 117 /* Really really big char for sprinting errors. */ char f_charbuf[2048]; /* never var, quoth the raven */ int f_never = -1; /* How many failures can we take when trying to place blips and blinks? */ int f_max_failures = 1000; /* counters handled by my_check_for_went */ int f_wstatus = 0; int f_frame_counter = 0; int f_went_counter = 0; int f_jump_counter = 0; int f_went_cycles = 0; int f_trial_end_flag = 0; /* State list menu vars and associated vars*/ int f_seed = 0; int f_seed_used = 0; int f_jumps_per_trial = 10; int f_ms_jump_min = 1000; int f_ms_jump_avg = 1500; int f_ms_jump_guard_before = 250; int f_ms_jump_guard_after = 250; int f_ntrials = 1; int f_trial_counter = 0; int f_frames_per_second = 85; char f_local_addr[32]="192.168.1.1"; char f_remote_addr[32]="192.168.1.2"; int f_remote_port=2000; float f_steer_max_degrees = 3.0; int f_steer_zero = 1024; int f_steer_dead = 0; int f_speed = 3; char f_jumpstr[1024]={0}; int f_verbose = 0; /* Perspective/camera parameters */ int f_screen_distance_MM = 290; int f_far_plane_distance = 5000; /* camera vars */ float f_cam_position[3]; /* Current camera position */ float f_cam_start[3] = { 0, 0, 0 }; /* Initial eye position at start of trial */ int f_cam_height = 200; /* Initial cam height - will be applied to cam_start (and used in updates) */ float f_cam_trajectory = 0; /* trajectory - direction camera is moving - IN RADIANS*/ float f_cam_looking[3]; float f_cam_up[3] = { 0, 1, 0 }; /* target parameters. */ float f_targ_size = 0.25; int f_targ_color[3] = { 255, 0, 0 }; float f_targ_dir = 0; /* radians */ float f_targ_h = 0; float f_targ_dist = 1000; #define MAX_TARG_OFFSET_DEGREES 4 int f_targ_offset_degrees[MAX_TARG_OFFSET_DEGREES] = {5, 10, 15, 20}; int f_num_targ_offset_degrees = 0; /* groundplane parameters */ int f_gp_length=1000; int f_gp_width=1000; int f_gp_dots=200; int f_gp_pool=500; int f_gp_plane_color[3]= { 50, 50, 50 }; int f_gp_dot_color[3]= { 255, 255, 255 }; int f_gp_flags = 0; float f_gp_dotsize=2.0; /* handles */ int f_handle_count = 0; int f_gp_handle; int f_targ_handle; /* background color */ int f_background_color[3] = { 0, 0, 0 }; /* messaging structures. */ TargetStruct f_target; MessageStruct f_msg; /* Fake joystick */ int f_fake_joy_enable = 0; int f_fake_joy_value = 1024; /* blink - target spot off/on */ int f_blink_debug=0; float f_blink_rate = 0; /* blinks per second */ int f_blink_duration_ms=0; int f_blink_guard_ms=0; /* blip - target spot off/on */ int f_blip_debug=0; float f_blip_rate = 0; /* blips per second */ int f_blip_duration_ms=0; int f_blip_guard_ms=0; float f_blip_max_ang_velocity_deg_per_sec = 0; /* Actions */ struct action { int start_frame; /* What frame this action first has an effect */ int end_frame; /* Remove after action is performed on this frame */ int type; /* One of the ACTIONTYPE_* macros */ float fval; /* A number useful for the action, like jump size, etc. */ }; typedef struct action * PAction; PAction f_all_actions = NULL; /* Storage for all actions. Not in order */ int n_all_actions = 0; /* How many actions were calloc'd in f_all_actions */ PAction* f_ordered_actions = NULL; /* pointers to all actions, ordered by their start frame */ int f_candidate_action_index = 0; /* Next action that may become current */ #define MAX_CURRENT_ACTIONS 12 PAction f_current_actions[MAX_CURRENT_ACTIONS]; int n_current_actions = 0; /* * These are the action types defined. Place one in PActionStruct->type */ #define ACTIONTYPE_JUMP 1 #define ACTIONTYPE_BLIP 2 #define ACTIONTYPE_BLINK 3 #define ACTIONTYPE_TRIALEND 4 char *f_cActionStr[4] = { "JUMP", "BLIP", "BLNK", "TRLE" }; /* Helper struct used in building segtree */ struct segment_builder_struct { int last; int jmin; float tau; int guard_before; int guard_after; }; /* Reward stuff */ /*int f_going = 0;*/ int f_paused = 0; int f_spinflag = 0; int f_jumpflag = 0; /* Set when a jump occurs. Will not be cleared until next update, so will stay on for 1/framerate */ int f_reward_off_target_due_to_jump = 0; /* Set to indicate off_target condition due to a jump, not bad steering */ int f_reward_window_degrees = 4; int f_reward_flag = 0; int f_reward_on_target=0; /* if 0, currently NOT on target, otherwise this is the last time on target */ int f_reward_off_target=0; /* if 0, currently NOT off target, otherwise this is the time that target was lost */ int f_reward_on_target_sum=0; /* Running total of time on target WITHOUT failing acquisition time test */ int f_reward_time=35; /* time, in ms, that juice is open. Can be set via menu. */ int f_reward_acquisition_time=1000; /* acquisition time, converted to ms in menu callback function */ int f_reward_ramp_time=5000; /* time for reward wait to ramp from max to min */ int f_reward_wait_max = 1000; /* max time for reward wait */ int f_reward_wait_min = 500; /* min time for reward wait */ int f_reward_wait_counter=0; /* counter used in rew wait state */ int f_reward_last_reward_time=0; /* last time a reward was given - started, that is */ int parse_offsets(int flag, MENU *mp, char *astr, VLIST *vlp, int *tvadd); int random_targ_offset_degrees(); /* REX menu declarations */ VLIST state_vl[] = { "day_seed", &f_seed, NP, NP, 0, ME_DEC, "number_of_trials", &f_ntrials, NP, NP, 0, ME_DEC, "jumps_per_trial", &f_jumps_per_trial, NP, NP, 0, ME_DEC, "min_jump_time_ms", &f_ms_jump_min, NP, NP, 0, ME_DEC, "avg_jump_time_ms", &f_ms_jump_avg, NP, NP, 0, ME_DEC, "jump_guard_before_ms", &f_ms_jump_guard_before, NP, NP, 0, ME_DEC, "jump_guard_after_ms", &f_ms_jump_guard_after, NP, NP, 0, ME_DEC, "Target_offset_0(deg)", &f_targ_offset_degrees[0], 0, NP, 0, ME_DEC, "Target_offset_1(deg)", &f_targ_offset_degrees[1], 0, NP, 0, ME_DEC, "Target_offset_2(deg)", &f_targ_offset_degrees[2], 0, NP, 0, ME_DEC, "Target_offset_3(deg)", &f_targ_offset_degrees[3], 0, NP, 0, ME_DEC, "Steering_max", &f_steer_max_degrees, NP, NP, 0, ME_FLOAT, "Steering_zero_point", &f_steer_zero, NP, NP, 0, ME_DEC, "Steering_dead_zone", &f_steer_dead, NP, NP, 0, ME_DEC, "rew_win(deg)", &f_reward_window_degrees, NP, NP, 0, ME_DEC, "speed", &f_speed, NP, NP, 0, ME_DEC, "frame_rate(1/s)", &f_frames_per_second, NP, NP, 0, ME_DEC, "local_ip", f_local_addr, NP, NP, 0, ME_STR, "render_host_ip", f_remote_addr, NP, NP, 0, ME_STR, "render_port", &f_remote_port, NP, NP, 0, ME_DEC, "verbose", &f_verbose, NP, NP, 0, ME_DEC, NS, }; /* * Help message. */ char hm_sv_vl[] = ""; /* Viewing volume menu */ VLIST vvol_vl[] = { "screen_dist(mm)", &f_screen_distance_MM, NP, NP, 0, ME_DEC, "far_plane_distance", &f_far_plane_distance, NP, NP, 0, ME_DEC, "Camera_height", &f_cam_height, NP, NP, 0, ME_DEC, NS, }; char hm_vvol[] = ""; /* Target parameters menu */ VLIST target_vl[] = { "Target_diam(degrees)", &f_targ_size, NP, NP, 0, ME_FLOAT, "Target_color(R)", &f_targ_color[0], 0, NP, 0, ME_DEC, "Target_color(G)", &f_targ_color[1], 0, NP, 0, ME_DEC, "Target_color(B)", &f_targ_color[2], 0, NP, 0, ME_DEC, "Target_distance", &f_targ_dist, 0, NP, 0, ME_FLOAT, "Target_height(degrees)", &f_targ_h, 0, NP, 0, ME_FLOAT, NS, }; char hm_target[] = ""; VLIST groundplane_vl[] = { "Grid_length", &f_gp_length, NP, NP, 0, ME_DEC, "Grid_width", &f_gp_width, NP, NP, 0, ME_DEC, "Dots_per_grid", &f_gp_dots, NP, NP, 0, ME_DEC, "Grid_pool_size", &f_gp_pool, NP, NP, 0, ME_DEC, "Plane_color(R)", &f_gp_plane_color[0], 0, NP, 0, ME_DEC, "Plane_color(G)", &f_gp_plane_color[1], 0, NP, 0, ME_DEC, "Plane_color(B)", &f_gp_plane_color[2], 0, NP, 0, ME_DEC, "Dot_color(R)", &f_gp_dot_color[0], 0, NP, 0, ME_DEC, "Dot_color(G)", &f_gp_dot_color[1], 0, NP, 0, ME_DEC, "Dot_color(B)", &f_gp_dot_color[2], 0, NP, 0, ME_DEC, "Flags", &f_gp_flags, 0, NP, 0, ME_DEC, "Dot_size", &f_gp_dotsize, NP, NP, 0, ME_FLOAT, NS, }; char hm_groundplane[] = ""; /* Background color menu */ VLIST background_vl[] = { "Background_color(R)", &f_background_color[0], 0, NP, 0, ME_DEC, "Background_color(G)", &f_background_color[1], 0, NP, 0, ME_DEC, "Background_color(B)", &f_background_color[2], 0, NP, 0, ME_DEC, NS, }; char hm_background[] = ""; VLIST fakejoy_vl[] = { "Enable_fake_joy", &f_fake_joy_enable, 0, NP, 0, ME_DEC, "Fake_joy_value", &f_fake_joy_value, 0, NP, 0, ME_DEC, NS, }; char hm_fakejoy[] = ""; VLIST blink_vl[] = { "blink_rate(blinks/sec)", &f_blink_rate, 0, NP, 0, ME_FLOAT, "off_duration(ms)", &f_blink_duration_ms, 0, NP, 0, ME_DEC, "guard(ms)", &f_blink_guard_ms, 0, NP, 0, ME_DEC, "debug_msgs", &f_blink_debug, 0, NP, 0, ME_DEC, NS, }; char hm_blink[] = ""; VLIST blip_vl[] = { "blip_rate(blips/sec)", &f_blip_rate, 0, NP, 0, ME_FLOAT, "blip_duration(ms)", &f_blip_duration_ms, 0, NP, 0, ME_DEC, "guard(ms)", &f_blip_guard_ms, 0, NP, 0, ME_DEC, "max_vel(deg/sec)", &f_blip_max_ang_velocity_deg_per_sec, 0, NP, 0, ME_FLOAT, "debug_msgs", &f_blip_debug, 0, NP, 0, ME_DEC, NS, }; char hm_blip[] = ""; /* Reward parameters menu! */ VLIST reward_vl[] = { "acquisition_time(ms)", &f_reward_acquisition_time, NP, NP, 0, ME_DEC, "reward_wait_max(ms)", &f_reward_wait_max, NP, NP, 0, ME_DEC, "reward_wait_min(ms)", &f_reward_wait_min, NP, NP, 0, ME_DEC, "reward_ramp_time(ms)", &f_reward_ramp_time, NP, NP, 0, ME_DEC, NS, }; char hm_reward[] = ""; MENU umenus[] = { {"Main", &state_vl, NP, NP, 0, NP, hm_sv_vl}, {"separator", NP}, {"reward", &reward_vl, NP, NP, 0, NP, hm_reward}, {"blink", &blink_vl, NP, NP, 0, NP, hm_blink}, {"blip", &blip_vl, NP, NP, 0, NP, hm_blip}, {"viewing volume", &vvol_vl, NP, NP, 0, NP, hm_vvol}, {"target", &target_vl, NP, NP, 0, NP, hm_target}, {"groundplane", &groundplane_vl, NP, NP, 0, NP, hm_groundplane}, {"background", &background_vl, NP, NP, 0, NP, hm_background}, {"fakjoy", &fakejoy_vl, NP, NP, 0, NP, hm_fakejoy}, {NS}, }; /* local functions. */ int my_check_for_handle(); void init_steering(void); int my_render_init(); int my_check_for_handle(); int my_exp_init(); int alloff(); int my_trial_done(); int joystick_value(); void blink_prepare(); int blink_update(int frame); void blip_prepare(); int blip_update(int frame, float *poffset); int reward_check_window(); int reward_init(); int stpause(int isPaused); /***************************** init_steering ***************************** * * * This function is the "reset" function in the state set. In other words, * the state set specification contains the line: * * restart init_steering * * That line makes this function special, in that it will be called at the * following times: * * - the first time the clock is started * - whenever reset state happens * * ************************************************************************/ void init_steering(void) { int status=0; dprintf("Initializing st12a\n"); // initialize tcpip - must only do this OR gpib - NOT BOTH!!!! status = init_tcpip(f_local_addr, f_remote_addr, f_remote_port, 0); // // In case we did a Reset States f_paused = 0; f_cam_trajectory = 0; // initialize pixel conversion if (initialize_pixel_conversion(x_dimension_mm, y_dimension_mm, x_resolution, y_resolution, f_screen_distance_MM)) { dprintf("ERROR in initialize_pixel_conversion: \n" "x,y dimensions=(%d, %d)\n" "x,y resolution=(%d, %d)\n" "screen distance=%d\n", (int)x_dimension_mm, (int)y_dimension_mm, (int)x_resolution, (int)y_resolution, (int)f_screen_distance_MM); } } /***************************** my_render_init **************************** * * * This function is called after render has been reset, but before any * trials have begun. * ************************************************************************/ int my_render_init() { int status=0; float fovy; dprintf("Initializing render\n"); // seed random number generator if necessary // TODO: Make usage of random number generator (and seed) consistent. if (!f_seed_used) { ivunif(f_seed, 1); f_seed_used = 1; } // zero out handles and initialize counters. f_gp_handle = f_targ_handle = 0; f_handle_count = 0; // If f_ms_before_jump is changed during a pause, then a reset will update frames_before_jump, but not // this counter. If f_ms_before is DECREASED, and the new value for f_frames_before_jump is greater than // the current value of f_went_counter, then the jump will never happen. Fix this by resetting the // went counter here. djs 2/26/08 f_went_counter = 0; // background color render_bgcolor(f_background_color[0], f_background_color[1], f_background_color[2]); // Setup viewing volume -- this should be done prior to the groundplane init! */ fovy = 2*atan2f(y_dimension_mm/2.0, f_screen_distance_MM); render_perspective(fovy, f_screen_distance_MM, f_far_plane_distance); // Initialize groundplane render_groundplane(f_gp_length, f_gp_width, f_gp_dots, f_gp_pool, f_gp_plane_color, f_gp_dot_color, f_gp_dotsize, f_gp_flags); /* Setup init camera position */ f_cam_position[0] = 0; f_cam_position[1] = (float)f_cam_height; f_cam_position[2] = 0; f_cam_looking[0] = -sin(f_cam_trajectory); f_cam_looking[1] = 0; f_cam_looking[2] = cos(f_cam_trajectory); render_camera(f_cam_position, f_cam_looking, f_cam_up); /* Configure target.*/ f_targ_dir = 0; f_target.xoffset = -sin(f_targ_dir); f_target.zoffset = cos(f_targ_dir); f_target.xsize = f_target.ysize = f_targ_dist * sin(f_targ_size * M_PI / 180.0); f_target.d = f_targ_dist; f_target.h = f_targ_dist * sin(f_targ_h * M_PI / 180.0); f_target.r = f_targ_color[0]; f_target.g = f_targ_color[1]; f_target.b = f_targ_color[2]; render_target(&f_target); /* ecodes and bcodes for parameters governing this expt */ bcode_int(CH_FRAMES_PER_SECOND, f_frames_per_second); bcode_int(CH_SPEED, f_speed); // bcode_int(CH_MS_BEFORE_JUMP, f_ms_before_jump); // bcode_int(CH_MS_AFTER_JUMP, f_ms_after_jump); bcode_int(CH_NTRIALS, f_ntrials); bcode_int(CH_JUMPS_PER_TRIAL, f_jumps_per_trial); bcode_float(CH_STEER_MAX_DEGREES, f_steer_max_degrees); bcode_int(CH_TARG_OFFSET_DEGREES_0, f_targ_offset_degrees[0]); bcode_int(CH_TARG_OFFSET_DEGREES_1, f_targ_offset_degrees[1]); // bcode_int(CH_BLINK_PROBABILITY_PER_JUMP, f_blink_probability_per_jump); bcode_int(CH_BLINK_DURATION_MS, f_blink_duration_ms); bcode_int(CH_BLINK_GUARD_MS, f_blink_guard_ms); // bcode_int(CH_BLIP_PROBABILITY_PER_JUMP, f_blip_probability_per_jump); bcode_int(CH_BLIP_DURATION_MS, f_blip_duration_ms); bcode_int(CH_BLIP_GUARD_MS, f_blip_guard_ms); bcode_float(CH_BLIP_MAX_ANG_VELOCITY_DEG_PER_SEC, f_blip_max_ang_velocity_deg_per_sec); bcode_int(CH_TARG_OFFSET_DEGREES_2, f_targ_offset_degrees[2]); bcode_int(CH_TARG_OFFSET_DEGREES_3, f_targ_offset_degrees[3]); return status; } /* my_check_for_handle *********************************/ int my_check_for_handle() { int status = 0; int handle = 0; if (render_check_for_handle(&handle)) { if (f_handle_count == 0) { f_gp_handle = handle; f_handle_count = 1; } else if (f_handle_count == 1) { f_targ_handle = handle; f_handle_count = 2; status = 1; } } return status; } /* my_exp_init ********************************************* * * Initializations for overall experiment. Trial counters... * */ int my_exp_init() { dprintf("Initializing experiment\n"); f_trial_counter = f_ntrials; alloff(); render_frame(0); return 0; } PstSegment trial_segment_builder(void *pdata, int num) { int jumpTimeFrames=0; PstSegment pseg; struct segment_builder_struct *psbs = (struct segment_builder_struct *)pdata; double r; /* * Generate the jump time in frames. * Modified: Make sure the arg to log() isn't zero! */ r = (double)(ivunif(0, 32767)+1)/32768.0; jumpTimeFrames = psbs->jmin + (int)(-psbs->tau * log(r)); /* * Add it to the last jump frame, that gets us this jump frame */ psbs->last += jumpTimeFrames; /* * And create the segment, padding the jump frame with guard frames */ pseg = segtree_create_segment(psbs->last - psbs->guard_before, psbs->last + psbs->guard_after, NULL); return pseg; } int trial_action_builder(PstNode pnode, void *pdata) { int irand=0; struct segment_builder_struct *psbs = (struct segment_builder_struct *)pdata; f_all_actions[n_all_actions].start_frame = pnode->pseg->s0 + psbs->guard_before; f_all_actions[n_all_actions].end_frame = f_all_actions[n_all_actions].start_frame; f_all_actions[n_all_actions].type = ACTIONTYPE_JUMP; /* * Get a jump magnitude and direction. */ f_all_actions[n_all_actions].fval = random_targ_offset_degrees(); /* * Don't forget to assign the action to the segment */ pnode->pseg->extra = f_all_actions + n_all_actions; n_all_actions++; return 0; } int compare_actions(void *a1, void *a2) { PAction *p1, *p2; p1 = (PAction *)a1; p2 = (PAction *)a2; return (*p1)->start_frame - (*p2)->start_frame; } char *action_str(PAction paction, char *str) { sprintf(str, "%d-%d %s %f\n", paction->start_frame, paction->end_frame, f_cActionStr[paction->type-1], paction->fval); return str; } int generate_trial() { PstTree ptree; struct segment_builder_struct sbs; int nactions=0; int nblips=0; int nblinks=0; int i; char s[128]; /* * First, generate a balanced tree of jump segments. None of these segments will have any actions attached...yet. */ sbs.last = 0; sbs.jmin = (int)((float)f_ms_jump_min * 0.001f * (float)f_frames_per_second); sbs.tau = ((float)f_ms_jump_avg - sbs.jmin/f_frames_per_second*1000.0f) * 0.001f * (float)f_frames_per_second; sbs.guard_before = (int)((float)f_ms_jump_guard_before * .001f * (float)f_frames_per_second); sbs.guard_after = (int)((float)f_ms_jump_guard_after * .001f * (float)f_frames_per_second); if (f_verbose) { dprintf("Generate balanced tree.\n"); } ptree = segtree_create_balanced(segtree_compare_segments_default, trial_segment_builder, &sbs, f_jumps_per_trial); /* * Now we can compute how many blips and blinks we'll need, * and then we can calculate how many total actions are needed and * allocate the space for them.The total time for the trial includes * include a "tail" added after the last jump - so the trial doesn't * end after the last jump occurs. Later I'll add in a segment with * length equal to the average jump time (jmin + tau), but for now * include the time in the rate calculations. */ nblips = (int)((float)(sbs.last + sbs.jmin + sbs.tau)/(float)f_frames_per_second * f_blip_rate); nblinks = (int)((float)(sbs.last + sbs.jmin + sbs.tau)/(float)f_frames_per_second * f_blink_rate); nactions = f_jumps_per_trial + 1 + nblips + nblinks; f_all_actions = (PAction)calloc(nactions, sizeof(struct action)); n_all_actions = 0; /* Will be incremented as we use these up.... */ if (f_verbose) { dprintf("nblips %d nblinks %d nactions %d\n", nblips, nblinks, nactions); if (!f_all_actions) dprintf("f_all_actions is NULL!\n"); } /* * Now run over the segtree and generate actions for each jump. Note that at each one we also flip a coin to determine * the direction of the jump. I'm also being lazy, and the traverse function * will use the global array of actions, not passed data. */ if (f_verbose) dprintf("Generate actions for each jump.\n"); segtree_traverse(ptree, &sbs, trial_action_builder, SEGTREE_TRAVERSE_INORDER); /* * Add a segment for the trial's end. */ sbs.last += (sbs.jmin+(int)sbs.tau); f_all_actions[n_all_actions].start_frame = sbs.last; f_all_actions[n_all_actions].end_frame = sbs.last; f_all_actions[n_all_actions].type = ACTIONTYPE_TRIALEND; f_all_actions[n_all_actions].fval = 0; if (f_verbose) dprintf("Generate and insert trial end action.\n"); segtree_insert(ptree, segtree_create_segment(sbs.last, sbs.last, f_all_actions + n_all_actions)); n_all_actions++; /* * Now the blips... */ if (f_blip_rate > 0) { int blip_duration_frames; /* The blip is spread over this many frames */ int blip_guard_frames; /* guard frames on either side of blip where no jumps may occur */ int blipcounter = 0; /* Counter of blips added */ int failcounter = 0; /* Counter of failures to add blip...overlaps, get it? */ blip_duration_frames = (int)((float)f_blip_duration_ms / 1000.0f * f_frames_per_second); blip_guard_frames = (int)((float)f_blip_guard_ms / 1000.0f * f_frames_per_second); dprintf("Generating %d blips: ", nblips); blipcounter = 0; failcounter = 0; while (blipcounter < nblips && failcounter < 1000) { PstSegment pseg; int iover; double r; int blipframe; /* * Make sure blipframe is not 0. blipframe (and blinkframe, for that matter) * should be between 1 and sbs.last, inclusive. The reason is that an * action cannot start on frame 0, because frame 0 has no 'update' prior * to it. Frame 0 is the start frame, and frames 1-sbs.last have updates * prior to them. The last frame will not get used anyways because the * guard constrains any segment to begin prior to the last frame. * * In the code below, uivunif yields an int between 0 and 32767, inclusive. * The value of r will be in 0 < r <= 1; r cannot be 0. That means * blipframe will be in 1<= blipframe <= sbs.last. */ r = (double)(ivunif(0, 32767)+1)/32768.0; blipframe = (int)ceil(r*sbs.last); /*printf("Check blip_frame %d seg %d-%d\n", blipframe, blipframe-blip_pad, blipframe+blip_pad);*/ pseg = segtree_create_segment(blipframe - blip_guard_frames, blipframe + blip_duration_frames + blip_guard_frames, NULL); if ((iover=segtree_overlaps(ptree, pseg, 0, NULL)) == 0) { f_all_actions[n_all_actions].start_frame = blipframe; f_all_actions[n_all_actions].end_frame = blipframe+blip_duration_frames; f_all_actions[n_all_actions].type = ACTIONTYPE_BLIP; f_all_actions[n_all_actions].fval = f_blip_max_ang_velocity_deg_per_sec * M_PI/180.0f / f_frames_per_second * (ifuniv(1)*2-1); pseg->extra = f_all_actions + n_all_actions; segtree_insert(ptree, pseg); blipcounter++; n_all_actions++; dprintf("+"); } else { /*printf("FAIL found %d overlaps\n", iover);*/ segtree_destroy_segment(pseg); failcounter++; dprintf("X"); } } dprintf("\n"); if (failcounter >= f_max_failures) { /* TODO: Handle failure gracefully. */ dprintf("ERROR! Failed to add enough blips!\n"); } } /* * ... and the blinks. */ if (f_blink_rate > 0) { int blink_duration_frames; /* The blink is spread over this many frames */ int blink_guard_frames; /* guard frames on either side of blink where no jumps may occur */ int blinkcounter = 0; /* Counter of blinks added */ int failcounter = 0; /* Counter of failures to add blink...overlaps, get it? */ double r; int blinkframe; blink_duration_frames = (int)((float)f_blink_duration_ms / 1000.0f * f_frames_per_second); blink_guard_frames = (int)((float)f_blink_guard_ms / 1000.0f * f_frames_per_second); dprintf("Generating %d blinks: ", nblinks); blinkcounter = 0; failcounter = 0; while (blinkcounter < nblinks && failcounter < 1000) { PstSegment pseg; int iover; /* * blinkframe will be in 1<= blinkframe <= sbs.last. See discussion * above for blipframe. */ r = (double)(ivunif(0, 32767)+1)/32768.0; blinkframe = (int)ceil(r*sbs.last); pseg = segtree_create_segment(blinkframe - blink_guard_frames, blinkframe + blink_duration_frames + blink_guard_frames, NULL); if ((iover=segtree_overlaps(ptree, pseg, 0, NULL)) == 0) { f_all_actions[n_all_actions].start_frame = blinkframe; f_all_actions[n_all_actions].end_frame = blinkframe+blink_duration_frames; f_all_actions[n_all_actions].type = ACTIONTYPE_BLINK; f_all_actions[n_all_actions].fval = 0; pseg->extra = f_all_actions + n_all_actions; segtree_insert(ptree, pseg); blinkcounter++; n_all_actions++; dprintf("+"); } else { /*printf("FAIL found %d overlaps\n", iover);*/ segtree_destroy_segment(pseg); failcounter++; dprintf("X"); } } dprintf("\n"); if (failcounter >= f_max_failures) { /* TODO: Handle failure gracefully. */ dprintf("ERROR! Failed to add enough blinks!\n"); } } /* * OK, now that's all done, and we can sort the actions by their start frame. */ f_candidate_action_index = 0; f_ordered_actions = (PAction *)calloc(n_all_actions, sizeof(PAction)); for (i=0; i<n_all_actions; i++) f_ordered_actions[i] = f_all_actions+i; qsort(f_ordered_actions, n_all_actions, sizeof(PAction), compare_actions); /* for (i=0; i<n_all_actions; i++) { dprintf("%d %d %d-%d\n", i, f_ordered_actions[i]->type, f_ordered_actions[i]->start_frame, f_ordered_actions[i]->end_frame); } */ /* Finally, destroy the segtree and segments. */ segtree_destroy(ptree, 1, 0); return 0; } void queue_actions(int frame) { char s[128]; while (f_candidate_action_index < n_all_actions && f_ordered_actions[f_candidate_action_index]->start_frame == frame) { if (f_verbose) dprintf("Q:%s", action_str(f_ordered_actions[f_candidate_action_index], s)); if (n_current_actions >= MAX_CURRENT_ACTIONS) { /* * TODO: Error ecode for this situation. */ dprintf("ERROR! Too many current actions (%d)- increase MAX_CURRENT_ACTIONS!\n", n_current_actions); return; } /*dprintf("Queueing action: %s\n", action_str(f_ordered_actions[f_candidate_action_index], s));*/ f_current_actions[n_current_actions++] = f_ordered_actions[f_candidate_action_index++]; } return; } void dequeue_actions(int frame) { int i; int count=0; char s[128]; for (i=0; i<n_current_actions; i++) { if (f_current_actions[i]->end_frame == frame) { if (f_verbose) dprintf("D:%s", action_str(f_current_actions[i], s)); f_current_actions[i] = (PAction)NULL; } if (f_current_actions[i]) { f_current_actions[count++] = f_current_actions[i]; } } n_current_actions = count; return; } int my_trial_init() { int i; dprintf("Initializing trial %d\n", f_ntrials-f_trial_counter+1); f_frame_counter = 0; f_went_counter = 0; f_trial_end_flag = 0; f_reward_wait_counter = 0; /* * Determine how many target offsets are configured. * We look at them in order, stopping at the first one set to zero. * Any that are nonzero after that one are ignored. */ for (i=0; i<MAX_TARG_OFFSET_DEGREES; i++) { if (f_targ_offset_degrees[i] == 0) break; } f_num_targ_offset_degrees = i; /* * Allocate memory for all actions needed this trial and * initialize counters et al. */ dprintf("Generate trial actions.\n"); generate_trial(); return 0; } int my_trial_allon_center() { render_onoff(&f_gp_handle, HANDLE_ON, ONOFF_NO_FRAME); f_targ_dir = f_cam_trajectory; f_target.xoffset = -sin(f_targ_dir); f_target.zoffset = cos(f_targ_dir); render_update(f_targ_handle, (void *)&f_target, sizeof(TargetStruct), HANDLE_ON); render_frame(0); return 0; } /* * random_targ_offset_degrees * * Select a target offset from the current list of available offsets. The sign of the * offset is also randomized (i.e. the sign of the offset in the list is irrelevant * because a random +/-1 is multiplied here). * * Returns: 0 * */ int random_targ_offset_degrees() { int irand = ifuniv(f_num_targ_offset_degrees-1); int isgn = ifuniv(1)*2-1; return f_targ_offset_degrees[irand] * isgn; } /* * my_trial_allon_offset * * This function sets an initial offset to the target when the trial begins. Its not really * a jump - when the trial starts the target is placed dead-center prior to motion starting. * There is a pause and this method is called (its a state action) to set an initial offset. * Choose an offset from the list of available offsets and move the target. * * Returns: 0 * */ int my_trial_allon_offset() { f_targ_dir = f_cam_trajectory + random_targ_offset_degrees() * M_PI/180.0f; f_target.xoffset = -sin(f_targ_dir); f_target.zoffset = cos(f_targ_dir); render_update(f_targ_handle, (void *)&f_target, sizeof(TargetStruct), HANDLE_ON); render_frame(0); return 0; } int my_trial_done() { stpause(1); if (f_all_actions) { free(f_all_actions); f_all_actions = NULL; } if (f_ordered_actions) { free(f_ordered_actions); f_ordered_actions = NULL; } n_all_actions = 0; if (f_gp_handle && f_targ_handle) { alloff(); render_frame(1); } return 0; } /* alloff ************************************************** * * Turns off groundplane and target. Does not issue a render or frame. * */ int alloff() { render_onoff(&f_gp_handle, HANDLE_OFF, ONOFF_NO_FRAME); render_onoff(&f_targ_handle, HANDLE_OFF, ONOFF_NO_FRAME); return 0; } int my_update() { int ival; /* input joystick value, shifted by zero value */ float nval; /* normalized joystick value */ int ijoyh; /* in case we're interrupted, better save the value used. */ int i; int status = 0; int targ_update_flag = 0; /* set to 1 if target needs updating.*/ float blip_delta=0; char s[128]; /* Steering: update f_cam_trajectory based on joystick reading. */ ijoyh = joystick_value(); // joystick_value will return fakejoy value if fakejoy is enabled ival = ijoyh - f_steer_zero; // subtract off zero point if (abs(ival) > f_steer_dead) { if (ival > 0) { nval = (float)(ival - f_steer_dead)/(1024.f - (float)f_steer_dead); } else { nval = (float)(ival + f_steer_dead)/(1024.f - (float)f_steer_dead); } f_cam_trajectory += nval * f_steer_max_degrees * M_PI/180.f; } /* * See if any current actions require handling. */ f_jumpflag = 0; /* this will be set only if a jump occurs below */ queue_actions(f_went_counter+1); for (i=0; i<n_current_actions; i++) { char tmpstr[128]; switch (f_current_actions[i]->type) { case ACTIONTYPE_JUMP: { /* * ACTIONTYPE_JUMP should have length of 0 frames (start_frame = end_frame), so this if stmt is * probably not necessary. Test it anyways. */ if ((f_went_counter+1) == f_current_actions[i]->start_frame) { int code = JLEFTCD; if (f_current_actions[i]->fval > 0) code = JRIGHTCD; if (ecode(code)) status = BADCD; f_targ_dir = f_cam_trajectory + f_current_actions[i]->fval * M_PI / 180.0f; targ_update_flag = 1; f_jumpflag = 1; } break; } case ACTIONTYPE_BLIP: { if ((f_went_counter+1) == f_current_actions[i]->start_frame) { float maxav = f_blip_max_ang_velocity_deg_per_sec; if (f_current_actions[i]->fval < 0) maxav *= -1; ecode(BLIPBEGINCD); bcode_float(CH_BLIP_OMEGA_MAX, maxav); bcode_uint(CH_BLIP_DURATION_FRAMES, f_current_actions[i]->end_frame - f_current_actions[i]->start_frame); } else if ((f_went_counter+1) == f_current_actions[i]->end_frame) { ecode(BLIPENDCD); } f_targ_dir += f_current_actions[i]->fval; f_cam_trajectory += f_current_actions[i]->fval; targ_update_flag = 1; break; } case ACTIONTYPE_BLINK: { if ((f_went_counter+1) == f_current_actions[i]->start_frame) { render_onoff(&f_targ_handle, HANDLE_OFF, ONOFF_NO_FRAME); ecode(BLINKBEGINCD); } else if ((f_went_counter+1) == f_current_actions[i]->end_frame) { ecode(BLINKENDCD); render_onoff(&f_targ_handle, HANDLE_ON, ONOFF_NO_FRAME); } break; } case ACTIONTYPE_TRIALEND: { f_trial_end_flag = 1; break; } default: { dprintf("ERROR! Unknown action type (%d)\n", f_current_actions[i]->type); /* TODO: Error ecode for this situation. */ break; } } } dequeue_actions(f_went_counter+1); /* Update target if necessary */ if (targ_update_flag) { f_target.xoffset = -sin(f_targ_dir); f_target.zoffset = cos(f_targ_dir); render_update(f_targ_handle, (void *)&f_target, sizeof(TargetStruct), 0); } /* Update camera */ f_cam_looking[0] = -sin(f_cam_trajectory); f_cam_looking[1] = 0; f_cam_looking[2] = cos(f_cam_trajectory); f_cam_position[0] += f_cam_looking[0] * f_speed; f_cam_position[1] = (float)f_cam_height; f_cam_position[2] += f_cam_looking[2] * f_speed; render_camera(f_cam_position, f_cam_looking, f_cam_up); /* Now render */ render_frame(0); /* ecodes */ /* 9-13-07 target direction code - use actual targ_dir, not offset! Also, convert to degrees and mult * 10 */ ecode(UPDCD); bcode_uint(CH_JOY, ijoyh); bcode_float(CH_TRAJ, f_cam_trajectory * 180.0f/M_PI); bcode_float(CH_TARG, f_targ_dir * 180.0f/M_PI); return status; } /* my_check_for_went *********************************/ int my_check_for_went() { int frames = 0; int status; f_wstatus = 0; status = render_check_for_went(&frames); if (status < 0) { // ERROR! not clear what to do ... dprintf("ERROR in render_check_for_went!\n"); return -1; } else if (status == 0) { f_went_cycles++; } else if (status == 1) { // went was found. 'frames' has frame count f_wstatus = 1; f_frame_counter += frames; f_went_counter += 1; ecode(WENTCD); // TEST - if frames were missed, dprint it and the cycles... if (frames > 1) { dprintf("Missed %d frames (%d check_went cycles)\n", frames, f_went_cycles); ecode(MISSEDCD); } f_went_cycles = 0; if (f_trial_end_flag) { f_wstatus = 2; ecode(TRIALENDCD); } } return f_wstatus; } int joystick_value() { int value=0; if (!f_fake_joy_enable) { value = joyh; } else { if (1 == f_fake_joy_enable) { value = f_fake_joy_value; } else { float C = f_fake_joy_enable; float K = M_PI/180.0f; /* * Experimental fake steering */ value = -1*(f_cam_trajectory-f_targ_dir)/(C*K*f_steer_max_degrees)*(1024-f_steer_dead) + f_steer_dead + f_steer_zero; if (value < 0) value = 0; if (value > 2047) value=2047; } } return value; } /***************************** check_reward_window() ******************************** * * Checks reward "window" and sets flag */ int reward_check_window() { float dot; float v; // We want to compare the camera trajectory to the target bearing. If trajectory is within rew_window // then a reward is given. f_reward_flag = 0; if (!f_paused) { dot = cos(f_cam_trajectory)*cos(f_targ_dir) + sin(f_cam_trajectory)*sin(f_targ_dir); if (dot > cos(f_reward_window_degrees * M_PI/180)) { f_reward_flag = 1; } if (f_reward_flag) { /* in reward window last time? If so, add elapsed time to total on target. If not, check acquisition time. */ if (f_reward_on_target) { f_reward_on_target_sum += (i_b->i_time - f_reward_on_target); } else { if ((i_b->i_time - f_reward_off_target) > f_reward_acquisition_time) { f_reward_on_target_sum = 0; } } f_reward_off_target = 0; f_reward_on_target = i_b->i_time; v = (float)f_reward_on_target_sum/(float)f_reward_ramp_time; if (v>1) v=1; f_reward_wait_counter = f_reward_wait_max - v*(f_reward_wait_max - f_reward_wait_min); } else { /* did we just transition from being on-target? */ if (f_reward_on_target) { f_reward_on_target = 0; f_reward_off_target = i_b->i_time; } } } else { /* During a pause we reset things. Sorry. */ reward_init(); } return f_reward_flag; } #if 0 int reward_check_window() { float dot; float v; // We want to compare the camera trajectory to the target bearing. If trajectory is within rew_window // then a reward is given. f_reward_flag = 0; if (!f_paused && !f_spinflag) { dot = cos(f_cam_trajectory)*cos(f_targ_dir) + sin(f_cam_trajectory)*sin(f_targ_dir); if (dot > cos(f_reward_window_degrees * M_PI/180)) { f_reward_flag = 1; } if (f_reward_flag) { /* in reward window last time? If so, add elapsed time to total on target. If not, check acquisition time. */ if (f_reward_on_target) { f_reward_on_target_sum += (i_b->i_time - f_reward_on_target); } else { if (((i_b->i_time - f_reward_off_target) > f_reward_acquisition_time) || !f_reward_off_target_due_to_jump) { f_reward_on_target_sum = 0; } } f_reward_off_target_due_to_jump = 0; f_reward_off_target = 0; f_reward_on_target = i_b->i_time; v = (float)f_reward_on_target_sum/(float)f_reward_ramp_time; if (v>1) v=1; f_reward_wait_counter = f_reward_wait_max - v*(f_reward_wait_max - f_reward_wait_min); } else { /* did we just transition from being on-target? */ if (f_reward_on_target) { f_reward_on_target = 0; f_reward_off_target = i_b->i_time; if (f_jumpflag) { f_reward_off_target_due_to_jump = 1; } } } } else { /* During a pause, or spin cycle, we reset things. Sorry. */ reward_init(); if (f_spinflag && f_verbose) dprintf("Reward off due to spinning.\n"); } /* * We used to control the wait time via a counter in the reward loop itself. That meant that during the * wait time no checks were made on the reward window. Instead, we do that test here, which means * that if we go off target during a reward wait the consequences are the same. */ if (f_reward_flag && f_reward_wait_counter> 0 && ((i_b->i_time - f_reward_last_reward_time) < f_reward_wait_counter)) { f_reward_flag = 0; } else { f_reward_last_reward_time = i_b->i_time; } return f_reward_flag; } #endif int reward_init() { f_reward_on_target = 0; f_reward_off_target = i_b->i_time; f_reward_last_reward_time = 0; f_reward_wait_counter = INT_MIN; f_reward_off_target_due_to_jump = 0; return 0; } int reward_pause(int isPaused) { if (isPaused) f_paused = 1; else f_paused = 0; return 0; } /* * stpause(int isPaused) * * Called when a paradigm is paused or stopped. Closes/opens * analog window as needed, and sets flag for reward loop. * We have to close the analog window here in case a reset or * file close happens. Call with isPaused=1 when pausing, and * make sure to call again with isPaused=0 when done with pause. * Also should make sure that if user pauses, then does * ResetStates that the analog window and reward are un-paused. * */ int stpause(int isPaused) { if (isPaused) { /* Only close window if its open now */ /*if (i_b->i_flags & I_WINDOPEN)*/ if (w_flags & (W_ISOPEN|W_NULLOPEN)) { awind(CLOSE_W); } } else { /* Only open window if its closed now */ /*if (!(i_b->i_flags & I_WINDOPEN))*/ if (!(w_flags & (W_ISOPEN|W_NULLOPEN))) { awind(OPEN_W); } } f_paused = isPaused; return 0; } int reward_out() { if (f_verbose) dprintf("Reward!\n"); return 0; } /* REX state set starts here */ %% id 402 restart init_steering main_set { status ON begin first: code HEADCD rl 0 to p1 p1: to p2 on +PSTOP & softswitch to sendping on -PSTOP & softswitch p2: code PAUSECD to sendping on -PSTOP & softswitch sendping: do render_send_ping() to reset on 1 % render_check_for_ping reset: rl 25 do render_reset() to render_init render_init: do my_render_init() to exp_init on 1 % my_check_for_handle exp_init: do my_exp_init() /* initialize trial counters */ to trial_init on 1 % render_check_for_went trial_init: do my_trial_init() /* initialization for a single trial */ to trial_pause trial_pause: time 2000 to trial_allon_center trial_allon_center: do my_trial_allon_center() to trial_allon_wait on 1 % render_check_for_went trial_allon_wait: time 500 to trial_beep_on trial_beep_on: dio_on(BEEP) time 100 to trial_beep_off trial_beep_off: dio_off(BEEP) to trial_allon_offset trial_allon_offset: do my_trial_allon_offset() to wind on 1 % render_check_for_went wind: do awind(OPEN_W) to trcd trcd: code TRIALCD to update update: do my_update() to p3 p3: to p4 on +PSTOP & softswitch to update_wait on -PSTOP & softswitch p4: code PAUSECD do stpause(1) to update_wait on -PSTOP & softswitch update_wait: do stpause(0) to update on 1 % my_check_for_went to trial_done on 2 = f_wstatus trial_done: do my_trial_done() to cwind cwind: do awind(CLOSE_W) to all_done on 1 ? f_trial_counter to trial_init all_done: do stpause(1) to first on 1 = f_never abort list: trial_done } /* * Auxiliary state set for processing reward contingency. */ rew_set { status ON begin no_op: to p7 p7: to p8 on +PSTOP & softswitch to reward_init on -PSTOP & softswitch p8: code PAUSECD to reward_init on -PSTOP & softswitch reward_init: do reward_init() to check check: to reward on 1 % reward_check_window reward: dio_on(REW) time 25 rand 75 to rewoff rewoff: dio_off(REW) to mark mark: do score(1) to wait wait: to check on 1 ? f_reward_wait_counter }
D
/Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/SnapKit.build/Objects-normal/x86_64/Debugging.o : /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/Constraint.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintAttributes.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintDescription.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintItem.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintMaker.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintRelation.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/Debugging.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/EdgeInsets.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/LayoutConstraint.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/SnapKit.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/View+SnapKit.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ViewController+SnapKit.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/parkingsq1/Documents/project/PushPill/Pods/Target\ Support\ Files/SnapKit/SnapKit-umbrella.h /Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/SnapKit.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 /Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/SnapKit.build/Objects-normal/x86_64/Debugging~partial.swiftmodule : /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/Constraint.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintAttributes.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintDescription.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintItem.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintMaker.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintRelation.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/Debugging.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/EdgeInsets.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/LayoutConstraint.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/SnapKit.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/View+SnapKit.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ViewController+SnapKit.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/parkingsq1/Documents/project/PushPill/Pods/Target\ Support\ Files/SnapKit/SnapKit-umbrella.h /Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/SnapKit.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 /Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/SnapKit.build/Objects-normal/x86_64/Debugging~partial.swiftdoc : /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/Constraint.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintAttributes.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintDescription.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintItem.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintMaker.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ConstraintRelation.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/Debugging.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/EdgeInsets.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/LayoutConstraint.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/SnapKit.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/View+SnapKit.swift /Users/parkingsq1/Documents/project/PushPill/Pods/SnapKit/Source/ViewController+SnapKit.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Users/parkingsq1/Documents/project/PushPill/Pods/Target\ Support\ Files/SnapKit/SnapKit-umbrella.h /Users/parkingsq1/Documents/project/PushPill/DerivedData/PushPill/Build/Intermediates/Pods.build/Debug-iphonesimulator/SnapKit.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
D
module dminer.core.world; import dminer.core.minetypes; import dminer.core.blocks; const int MAX_VIEW_DISTANCE_BITS = 8; const int MAX_VIEW_DISTANCE = (1 << MAX_VIEW_DISTANCE_BITS); // Layer is 16x16 (CHUNK_DX_SHIFT x CHUNK_DX_SHIFT) cells immutable int CHUNK_DX_SHIFT = 4; immutable int CHUNK_DX = (1<<CHUNK_DX_SHIFT); immutable int CHUNK_DX_MASK = (CHUNK_DX - 1); // Y range: 0..CHUNK_DY-1 immutable int CHUNK_DY_SHIFT = 6; immutable int CHUNK_DY = (1<<CHUNK_DY_SHIFT); immutable int CHUNK_DY_MASK = (CHUNK_DY - 1); immutable int CHUNK_DY_INV_MASK = ~CHUNK_DY_MASK; //extern bool HIGHLIGHT_GRID; // Layer is 256x16x16 CHUNK_DY layers = CHUNK_DY * (CHUNK_DX_SHIFT x CHUNK_DX_SHIFT) cells struct ChunkLayer { cell_t[CHUNK_DX * CHUNK_DX] cells; cell_t* ptr(int x, int z) { return &cells.ptr[(z << CHUNK_DX_SHIFT) + x]; } cell_t get(int x, int z) { return cells.ptr[(z << CHUNK_DX_SHIFT) + x]; } void set(int x, int z, cell_t cell) { cells.ptr[(z << CHUNK_DX_SHIFT) + x] = cell; } } struct Chunk { private: ChunkLayer*[CHUNK_DY] layers; int bottomLayer = - 1; int topLayer = -1; public: ~this() { for (int i = 0; i < CHUNK_DY; i++) if (layers[i]) destroy(layers[i]); } int getMinLayer() { return bottomLayer; } int getMaxLayer() { return topLayer; } void updateMinMaxLayer(ref int minLayer, ref int maxLayer) { if (minLayer == -1 || minLayer > bottomLayer) minLayer = bottomLayer; if (maxLayer == -1 || maxLayer < topLayer) maxLayer = topLayer; } cell_t get(int x, int y, int z) { //if (!this) // return NO_CELL; ChunkLayer * layer = layers[y & CHUNK_DY_MASK]; if (!layer) return NO_CELL; return layer.get(x & CHUNK_DX_MASK, z & CHUNK_DY_MASK); } /// get, x, y, z are already checked for bounds cell_t getNoCheck(int x, int y, int z) { ChunkLayer * layer = layers.ptr[y]; if (!layer) // likely return NO_CELL; return layer.cells.ptr[(z << CHUNK_DX_SHIFT) + x]; // inlined return layer.get(x, z); } void set(int x, int y, int z, cell_t cell) { int layerIndex = y & CHUNK_DY_MASK; ChunkLayer * layer = layers.ptr[layerIndex]; if (!layer) { layer = new ChunkLayer(); layers.ptr[layerIndex] = layer; if (topLayer == -1 || topLayer < layerIndex) topLayer = layerIndex; if (bottomLayer == -1 || bottomLayer > layerIndex) bottomLayer = layerIndex; } layer.set(x & CHUNK_DX_MASK, z & CHUNK_DY_MASK, cell); } /// srcpos coords x, z are in chunk bounds //void getCells(Vector3d srcpos, Vector3d dstpos, Vector3d size, VolumeData & buf); } alias ChunkMatrix = InfiniteMatrix!(Chunk *); /// Voxel World class World { private: Position _camPosition; int maxVisibleRange = MAX_VIEW_DISTANCE; ChunkMatrix chunks; DiamondVisitor visitorHelper; public: this() { _camPosition = Position(Vector3d(0, 13, 0), Vector3d(0, 0, 1)); } ~this() { } @property final ref Position camPosition() { return _camPosition; } final cell_t getCell(int x, int y, int z) { if (!(y & CHUNK_DY_INV_MASK)) { if (Chunk * p = chunks.get(x >> CHUNK_DX_SHIFT, z >> CHUNK_DX_SHIFT)) return p.getNoCheck(x & CHUNK_DX_MASK, y, z & CHUNK_DX_MASK); return NO_CELL; } // y out of bounds if (y < 0) return BOUND_BOTTOM; //if (y >= CHUNK_DY) else return BOUND_SKY; } final bool isOpaque(int x, int y, int z) { cell_t cell = getCell(x, y, z); return BLOCK_TYPE_OPAQUE.ptr[cell] && cell != BOUND_SKY; } final void setCell(int x, int y, int z, cell_t value) { int chunkx = x >> CHUNK_DX_SHIFT; int chunkz = z >> CHUNK_DX_SHIFT; Chunk * p = chunks.get(chunkx, chunkz); if (!p) { p = new Chunk(); chunks.set(chunkx, chunkz, p); } p.set(x & CHUNK_DX_MASK, y, z & CHUNK_DX_MASK, value); } void setCellRange(Vector3d pos, Vector3d sz, cell_t value) { for (int x = 0; x < sz.x; x++) for (int y = 0; y < sz.y; y++) for (int z = 0; z < sz.z; z++) setCell(pos.x + x, pos.y + y, pos.z + z, value); } bool canPass(Vector3d pos) { return canPass(Vector3d(pos.x - 2, pos.y - 3, pos.z - 2), Vector3d(4, 5, 4)); } bool canPass(Vector3d pos, Vector3d size) { for (int x = 0; x <= size.x; x++) for (int z = 0; z <= size.z; z++) for (int y = 0; y < size.y; y++) { if (isOpaque(pos.x + x, pos.y + y, pos.z + z)) return false; } return true; } final void visitVisibleCells(ref Position position, CellVisitor visitor) { visitorHelper.init(this, &position, visitor); visitorHelper.visitAll(maxVisibleRange); } } interface CellVisitor { //void newDirection(ref Position camPosition); //void visitFace(World world, ref Position camPosition, Vector3d pos, cell_t cell, Dir face); void visit(World world, ref Position camPosition, Vector3d pos, cell_t cell, int visibleFaces); } struct DiamondVisitor { int maxDist; int maxDistBits; int dist; World world; Position * position; Vector3d pos0; CellVisitor visitor; CellArray visited; cell_t * visited_ptr; Vector3dArray oldcells; Vector3dArray newcells; ubyte visitedId; //ubyte visitedEmpty; int m0; int m0mask; void init(World w, Position * pos, CellVisitor v) { world = w; position = pos; visitor = v; pos0 = position.pos; } void visitCell(int vx, int vy, int vz) { //CRLog::trace("visitCell(%d %d %d) dist=%d", v.x, v.y, v.z, myAbs(v.x) + myAbs(v.y) + myAbs(v.z)); //int occupied = visitedOccupied; int index = (vx + m0) + ((vz + m0) << (maxDistBits + 1)); if (vy < 0) { // inverse index for lower half index ^= m0mask; } //int index = diamondIndex(v, maxDistBits); if (visited_ptr[index] == visitedId)// || cell == visitedEmpty) return; visitCellNoCheck(vx, vy, vz); visited_ptr[index] = visitedId; // cell; } void visitCellNoCheck(int vx, int vy, int vz) { //if (v * position.direction.forward < dist / 3) // limit by visible from cam // return; //Vector3d pos = pos0 + v; int posx = pos0.x + vx; int posy = pos0.y + vy; int posz = pos0.z + vz; cell_t cell = world.getCell(posx, posy, posz); // read cell from world if (BLOCK_TYPE_VISIBLE.ptr[cell]) { int visibleFaces = 0; if (vy <= 0 && !world.isOpaque(posx, posy + 1, posz)) visibleFaces |= DirMask.MASK_UP; if (vy >= 0 && !world.isOpaque(posx, posy - 1, posz)) visibleFaces |= DirMask.MASK_DOWN; if (vx <= 0 && !world.isOpaque(posx + 1, posy, posz)) visibleFaces |= DirMask.MASK_EAST; if (vx >= 0 && !world.isOpaque(posx - 1, posy, posz)) visibleFaces |= DirMask.MASK_WEST; if (vz <= 0 && !world.isOpaque(posx, posy, posz + 1)) visibleFaces |= DirMask.MASK_SOUTH; if (vz >= 0 && !world.isOpaque(posx, posy, posz - 1)) visibleFaces |= DirMask.MASK_NORTH; visitor.visit(world, *position, Vector3d(posx, posy, posz), cell, visibleFaces); } // mark as visited if (BLOCK_TYPE_CAN_PASS.ptr[cell]) newcells.append(Vector3d(vx, vy, vz)); //cell = BLOCK_TYPE_CAN_PASS[cell] ? visitedEmpty : visitedOccupied; } bool needVisit(int index) { if (visited_ptr[index] != visitedId) { visited_ptr[index] = visitedId; return true; } return false; } static int myAbs(int n) { return n < 0 ? -n : n; } void visitAll(int maxDistance) { maxDist = maxDistance; maxDistance *= 2; maxDistBits = bitsFor(maxDist); int maxDistMask = ~((1 << maxDistBits) - 1); maxDistBits++; m0 = 1 << maxDistBits; m0mask = (m0 - 1) + ((m0 - 1) << (maxDistBits + 1)); oldcells.clear(); newcells.clear(); oldcells.reserve(maxDist * 4 * 4); newcells.reserve(maxDist * 4 * 4); dist = 1; int vsize = ((1 << maxDistBits) * (1 << maxDistBits)) << 2; visited.clear(); visited.append(cast(ubyte)0, vsize); visited_ptr = visited.ptr(); visitedId = 2; oldcells.clear(); oldcells.append(Vector3d(0, 0, 0)); Dir dir = position.direction.dir; int zstep = 1 << (maxDistBits + 1); for (; dist < maxDistance; dist++) { // for each distance if (oldcells.length() == 0) { // no cells to pass through import dlangui.core.logger; Log.d("No more cells at distance ", dist); break; } newcells.clear(); visitedId++; int maxUp = (((dist + 1) * 7) / 8) + 1; int maxDown = - (dist < 3 ? 3 : (((dist + 1) * 7) / 8)) - 1; //CRLog::trace("dist: %d cells: %d", dist, oldcells.length()); for (int i = 0; i < oldcells.length(); i++) { Vector3d pt = oldcells[i]; assert(myAbs(pt.x) + myAbs(pt.y) + myAbs(pt.z) == dist - 1); if (((pt.x + maxDist) | (pt.y + maxDist) | (pt.z + maxDist)) & maxDistMask) continue; if (dist > 2) { // skip some directions if (pt.y > maxUp || pt.y < maxDown) continue; if (dir == Dir.SOUTH) { if (pt.z < -1) continue; } else if (dir == Dir.NORTH) { if (pt.z > 1) continue; } else if (dir == Dir.EAST) { if (pt.x < -1) continue; } else { // WEST if (pt.x > 1) continue; } } int mx = pt.x; int my = pt.y; int mz = pt.z; int sx = mx > 0 ? 1 : 0; int sy = my > 0 ? 1 : 0; int sz = mz > 0 ? 1 : 0; if (mx < 0) { mx = -mx; sx = -1; } if (my < 0) { my = -my; sy = -1; } if (mz < 0) { mz = -mz; sz = -1; } int ymask = sy < 0 ? m0mask : 0; int index = ((pt.x + m0) + ((pt.z + m0) << (maxDistBits + 1))) ^ ymask; if (sx && sy && sz) { //bool noStepZ = (mx > mz) || (my > mz); // 1, 1, 1 int xindex = index + (sy < 0 ? -sx : sx); if (visited_ptr[xindex] != visitedId) { visitCellNoCheck(pt.x + sx, pt.y, pt.z); visited_ptr[xindex] = visitedId; } int zindex = index + (sz * sy > 0 ? zstep : -zstep); if (visited_ptr[zindex] != visitedId) { visitCellNoCheck(pt.x, pt.y, pt.z + sz); visited_ptr[zindex] = visitedId; } if (!ymask && sy < 0) index ^= m0mask; if (visited_ptr[index] != visitedId) { visitCellNoCheck(pt.x, pt.y + sy, pt.z); visited_ptr[index] = visitedId; } } else { // has 0 in one of coords if (!sx) { if (!sy) { if (!sz) { // 0, 0, 0 visitCell(pt.x + 1, pt.y, pt.z); visitCell(pt.x - 1, pt.y, pt.z); visitCell(pt.x, pt.y + 1, pt.z); visitCell(pt.x, pt.y - 1, pt.z); visitCell(pt.x, pt.y, pt.z + 1); visitCell(pt.x, pt.y, pt.z - 1); } else { // 0, 0, 1 visitCell(pt.x, pt.y, pt.z + sz); visitCell(pt.x + 1, pt.y, pt.z); visitCell(pt.x - 1, pt.y, pt.z); visitCell(pt.x, pt.y + 1, pt.z); visitCell(pt.x, pt.y - 1, pt.z); } } else { if (!sz) { // 0, 1, 0 visitCell(pt.x, pt.y + sy, pt.z); visitCell(pt.x + 1, pt.y, pt.z); visitCell(pt.x - 1, pt.y, pt.z); visitCell(pt.x, pt.y, pt.z + 1); visitCell(pt.x, pt.y, pt.z - 1); } else { // 0, 1, 1 visitCell(pt.x, pt.y + sy, pt.z); visitCell(pt.x, pt.y, pt.z + sz); visitCell(pt.x + 1, pt.y, pt.z); visitCell(pt.x - 1, pt.y, pt.z); } } } else { if (!sy) { if (!sz) { // 1, 0, 0 visitCell(pt.x + sx, pt.y, pt.z); visitCell(pt.x, pt.y + 1, pt.z); visitCell(pt.x, pt.y - 1, pt.z); visitCell(pt.x, pt.y, pt.z + 1); visitCell(pt.x, pt.y, pt.z - 1); } else { // 1, 0, 1 visitCell(pt.x + sx, pt.y, pt.z); visitCell(pt.x, pt.y, pt.z + sz); visitCell(pt.x, pt.y + 1, pt.z); visitCell(pt.x, pt.y - 1, pt.z); } } else { // 1, 1, 0 visitCell(pt.x + sx, pt.y, pt.z); visitCell(pt.x, pt.y + sy, pt.z); visitCell(pt.x, pt.y, pt.z + 1); visitCell(pt.x, pt.y, pt.z - 1); } } } } newcells.swap(oldcells); } } } static short[] TERRAIN_INIT_DATA = [ // V 10, 10, 10, 10, 30, 30, 30, 30, 30, 30, 30, 30, 10, 10, 10, 10, 10, 10, 10, 20, 50, 50, 50, 50, 50, 50, 50, 50, 50, 20, 20, 20, 20, 10, 10, 20, 20, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 20, 20, 10, 10, 20, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 20, 10, 10, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 20, 30, 30, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 30, 30, 50, 50, 50, 50, 50, 50, 50, 120, 50, 50, 50, 50, 50, 50, 50, 30, 30, 50, 50, 50, 50, 50, 50, 110, 140, 130, 50, 50, 50, 50, 50, 50, 30, 30, 50, 50, 50, 50, 50, 50, 140, 150, 140, 50, 50, 50, 50, 50, 50, 30, // <== 30, 50, 50, 50, 50, 50, 50, 110, 140, 120, 50, 50, 50, 50, 50, 50, 30, 30, 50, 50, 50, 50, 50, 50, 50, 110, 50, 50, 50, 50, 50, 50, 50, 30, 30, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 10, 30, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 10, 30, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 40, 50, 10, 30, 20, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 50, 40, 20, 20, 10, 30, 20, 20, 50, 50, 50, 50, 50, 50, 50, 40, 20, 20, 20, 20, 20, 10, 30, 30, 30, 30, 30, 30, 30, 30, 30, 30, 30, 30, 10, 10, 10, 10, 10, // ^ ]; static short[] TERRAIN_SCALE_DATA = [ // V 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 30, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 45, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 80, 20, 20, 20, 40, 50, 40, 20, 20, 20, 20, 20, 20, 20, 20, 90, 20, 80, 20, 30, 20, 20, 30, 20, 20, 20, 20, 20, 20, 20, 20, 90, 20, 80, 30, 20, 40, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 90, 30, 40, 30, 50, 20, 20, 20, 20, 20, 20, // <== 20, 20, 20, 20, 20, 20, 50, 20, 30, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 40, 70, 40, 90, 20, 40, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 80, 20, 50, 70, 50, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 60, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, // ^ ]; void initWorldTerrain(World world, int terrSizeBits = 10, int x0 = 0, int z0 = 0) { import dminer.core.terrain; int terrSize = 1 << terrSizeBits; TerrainGen scaleterr = TerrainGen(terrSizeBits, terrSizeBits); // 512x512 scaleterr.generate(4321, TERRAIN_SCALE_DATA, terrSizeBits - 4); // init grid is 16x16 (1 << (9-7)) scaleterr.filter(1); //scaleterr.filter(2); scaleterr.limit(0, 90); TerrainGen terr = TerrainGen(terrSizeBits, terrSizeBits); // 512x512 terr.generateWithScale(123456, TERRAIN_INIT_DATA, terrSizeBits - 4, scaleterr); // init grid is 16x16 (1 << (9-7)) terr.filter(1); terr.limit(5, CHUNK_DY * 3 / 4); terr.filter(1); for (int x = 0; x < terrSize; x++) { for (int z = 0; z < terrSize; z++) { int h = terr.get(x, z); cell_t cell = 1; //if (h < CHUNK_DY / 10) // cell = 100; //else if (h < CHUNK_DY / 5) // cell = 101; //else if (h < CHUNK_DY / 4) // cell = 102; //else if (h < CHUNK_DY / 3) // cell = 103; //else if (h < CHUNK_DY / 2) // cell = 104; //else // cell = 105; for (int y = 0; y < h; y++) { world.setCell(x0 + x - terrSize / 2, y, z0 + z - terrSize / 2, cell); } } } }
D
# FIXED OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/osal/src/common/osal_memory_icall.c OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/osal/src/inc/comdef.h OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/hal/src/target/_common/hal_types.h OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/hal/src/target/_common/../_common/cc26xx/_hal_types.h OSAL/osal_memory_icall.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.1.LTS/include/stdint.h OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/hal/src/inc/hal_defs.h OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/osal/src/inc/osal.h OSAL/osal_memory_icall.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.1.LTS/include/limits.h OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/osal/src/inc/osal_memory.h OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/osal/src/inc/osal_timers.h OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/icall/src/inc/icall.h OSAL/osal_memory_icall.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.1.LTS/include/stdbool.h OSAL/osal_memory_icall.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.1.LTS/include/stdlib.h OSAL/osal_memory_icall.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.1.LTS/include/linkage.h OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/hal/src/inc/hal_assert.h OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/hal/src/target/_common/hal_types.h OSAL/osal_memory_icall.obj: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/icall/src/inc/icall_jt.h C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/osal/src/common/osal_memory_icall.c: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/osal/src/inc/comdef.h: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/hal/src/target/_common/hal_types.h: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/hal/src/target/_common/../_common/cc26xx/_hal_types.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.1.LTS/include/stdint.h: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/hal/src/inc/hal_defs.h: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/osal/src/inc/osal.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.1.LTS/include/limits.h: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/osal/src/inc/osal_memory.h: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/osal/src/inc/osal_timers.h: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/icall/src/inc/icall.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.1.LTS/include/stdbool.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.1.LTS/include/stdlib.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.1.LTS/include/linkage.h: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/hal/src/inc/hal_assert.h: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/hal/src/target/_common/hal_types.h: C:/ti/r2/simplelink_cc2640r2_sdk_1_30_00_25/source/ti/blestack/icall/src/inc/icall_jt.h:
D
// Written in the D programming language. /** Functions and types that manipulate built-in arrays and associative arrays. This module provides all kinds of functions to create, manipulate or convert arrays: $(BOOKTABLE , $(TR $(TH Function Name) $(TH Description) ) $(TR $(TD $(D $(LREF _array))) $(TD Returns a copy of the input in a newly allocated dynamic _array. )) $(TR $(TD $(D $(LREF appender))) $(TD Returns a new Appender initialized with a given _array. )) $(TR $(TD $(D $(LREF assocArray))) $(TD Returns a newly allocated associative _array from a range of key/value tuples. )) $(TR $(TD $(D $(LREF byPair))) $(TD Construct a range iterating over an associative _array by key/value tuples. )) $(TR $(TD $(D $(LREF insertInPlace))) $(TD Inserts into an existing _array at a given position. )) $(TR $(TD $(D $(LREF join))) $(TD Concatenates a range of ranges into one _array. )) $(TR $(TD $(D $(LREF minimallyInitializedArray))) $(TD Returns a new _array of type $(D T). )) $(TR $(TD $(D $(LREF replace))) $(TD Returns a new _array with all occurrences of a certain subrange replaced. )) $(TR $(TD $(D $(LREF replaceFirst))) $(TD Returns a new _array with the first occurrence of a certain subrange replaced. )) $(TR $(TD $(D $(LREF replaceInPlace))) $(TD Replaces all occurrences of a certain subrange and puts the result into a given _array. )) $(TR $(TD $(D $(LREF replaceInto))) $(TD Replaces all occurrences of a certain subrange and puts the result into an output range. )) $(TR $(TD $(D $(LREF replaceLast))) $(TD Returns a new _array with the last occurrence of a certain subrange replaced. )) $(TR $(TD $(D $(LREF replaceSlice))) $(TD Returns a new _array with a given slice replaced. )) $(TR $(TD $(D $(LREF replicate))) $(TD Creates a new _array out of several copies of an input _array or range. )) $(TR $(TD $(D $(LREF sameHead))) $(TD Checks if the initial segments of two arrays refer to the same place in memory. )) $(TR $(TD $(D $(LREF sameTail))) $(TD Checks if the final segments of two arrays refer to the same place in memory. )) $(TR $(TD $(D $(LREF split))) $(TD Eagerly split a range or string into an _array. )) $(TR $(TD $(D $(LREF uninitializedArray))) $(TD Returns a new _array of type $(D T) without initializing its elements. )) ) Copyright: Copyright Andrei Alexandrescu 2008- and Jonathan M Davis 2011-. License: $(WEB boost.org/LICENSE_1_0.txt, Boost License 1.0). Authors: $(WEB erdani.org, Andrei Alexandrescu) and Jonathan M Davis Source: $(PHOBOSSRC std/_array.d) */ module std.array; import std.meta; import std.traits; import std.functional; static import std.algorithm.iteration; // FIXME, remove with alias of splitter import std.range.primitives; public import std.range.primitives : save, empty, popFront, popBack, front, back; /** * Allocates an array and initializes it with copies of the elements * of range $(D r). * * Narrow strings are handled as a special case in an overload. * * Params: * r = range (or aggregate with $(D opApply) function) whose elements are copied into the allocated array * Returns: * allocated and initialized array */ ForeachType!Range[] array(Range)(Range r) if (isIterable!Range && !isNarrowString!Range && !isInfinite!Range) { if (__ctfe) { // Compile-time version to avoid memcpy calls. // Also used to infer attributes of array(). typeof(return) result; foreach (e; r) result ~= e; return result; } alias E = ForeachType!Range; static if (hasLength!Range) { auto length = r.length; if (length == 0) return null; import std.conv : emplaceRef; auto result = (() @trusted => uninitializedArray!(Unqual!E[])(length))(); // Every element of the uninitialized array must be initialized size_t i; foreach (e; r) { emplaceRef!E(result[i], e); ++i; } return (() @trusted => cast(E[])result)(); } else { auto a = appender!(E[])(); foreach (e; r) { a.put(e); } return a.data; } } /// @safe pure nothrow unittest { auto a = array([1, 2, 3, 4, 5][]); assert(a == [ 1, 2, 3, 4, 5 ]); } @safe pure nothrow unittest { import std.algorithm : equal; struct Foo { int a; } auto a = array([Foo(1), Foo(2), Foo(3), Foo(4), Foo(5)][]); assert(equal(a, [Foo(1), Foo(2), Foo(3), Foo(4), Foo(5)])); } @system unittest { import std.algorithm : equal; struct Foo { int a; auto opAssign(Foo foo) { assert(0); } auto opEquals(Foo foo) { return a == foo.a; } } auto a = array([Foo(1), Foo(2), Foo(3), Foo(4), Foo(5)][]); assert(equal(a, [Foo(1), Foo(2), Foo(3), Foo(4), Foo(5)])); } unittest { // Issue 12315 static struct Bug12315 { immutable int i; } enum bug12315 = [Bug12315(123456789)].array(); static assert(bug12315[0].i == 123456789); } unittest { import std.range; static struct S{int* p;} auto a = array(immutable(S).init.repeat(5)); } /** Convert a narrow string to an array type that fully supports random access. This is handled as a special case and always returns a $(D dchar[]), $(D const(dchar)[]), or $(D immutable(dchar)[]) depending on the constness of the input. */ ElementType!String[] array(String)(String str) if (isNarrowString!String) { import std.utf : toUTF32; return cast(typeof(return)) str.toUTF32; } unittest { import std.conv : to; static struct TestArray { int x; string toString() { return to!string(x); } } static struct OpAssign { uint num; this(uint num) { this.num = num; } // Templating opAssign to make sure the bugs with opAssign being // templated are fixed. void opAssign(T)(T rhs) { this.num = rhs.num; } } static struct OpApply { int opApply(int delegate(ref int) dg) { int res; foreach (i; 0..10) { res = dg(i); if (res) break; } return res; } } auto a = array([1, 2, 3, 4, 5][]); //writeln(a); assert(a == [ 1, 2, 3, 4, 5 ]); auto b = array([TestArray(1), TestArray(2)][]); //writeln(b); class C { int x; this(int y) { x = y; } override string toString() const { return to!string(x); } } auto c = array([new C(1), new C(2)][]); //writeln(c); auto d = array([1.0, 2.2, 3][]); assert(is(typeof(d) == double[])); //writeln(d); auto e = [OpAssign(1), OpAssign(2)]; auto f = array(e); assert(e == f); assert(array(OpApply.init) == [0,1,2,3,4,5,6,7,8,9]); assert(array("ABC") == "ABC"d); assert(array("ABC".dup) == "ABC"d.dup); } //Bug# 8233 unittest { assert(array("hello world"d) == "hello world"d); immutable a = [1, 2, 3, 4, 5]; assert(array(a) == a); const b = a; assert(array(b) == a); //To verify that the opAssign branch doesn't get screwed up by using Unqual. //EDIT: array no longer calls opAssign. struct S { ref S opAssign(S)(const ref S rhs) { assert(0); } int i; } foreach (T; AliasSeq!(S, const S, immutable S)) { auto arr = [T(1), T(2), T(3), T(4)]; assert(array(arr) == arr); } } unittest { //9824 static struct S { @disable void opAssign(S); int i; } auto arr = [S(0), S(1), S(2)]; arr.array(); } // Bugzilla 10220 unittest { import std.exception; import std.algorithm : equal; import std.range : repeat; static struct S { int val; @disable this(); this(int v) { val = v; } } assertCTFEable!( { auto r = S(1).repeat(2).array(); assert(equal(r, [S(1), S(1)])); }); } unittest { //Turn down infinity: static assert(!is(typeof( repeat(1).array() ))); } /** Returns a newly allocated associative _array from a range of key/value tuples. Params: r = An input range of tuples of keys and values. Returns: A newly allocated associative array out of elements of the input range, which must be a range of tuples (Key, Value). Returns a null associative array reference when given an empty range. Duplicates: Associative arrays have unique keys. If r contains duplicate keys, then the result will contain the value of the last pair for that key in r. See_Also: $(XREF typecons, Tuple) */ auto assocArray(Range)(Range r) if (isInputRange!Range) { import std.typecons : isTuple; alias E = ElementType!Range; static assert(isTuple!E, "assocArray: argument must be a range of tuples"); static assert(E.length == 2, "assocArray: tuple dimension must be 2"); alias KeyType = E.Types[0]; alias ValueType = E.Types[1]; static assert(isMutable!ValueType, "assocArray: value type must be mutable"); ValueType[KeyType] aa; foreach (t; r) aa[t[0]] = t[1]; return aa; } /// /*@safe*/ pure /*nothrow*/ unittest { import std.range; import std.typecons; auto a = assocArray(zip([0, 1, 2], ["a", "b", "c"])); assert(is(typeof(a) == string[int])); assert(a == [0:"a", 1:"b", 2:"c"]); auto b = assocArray([ tuple("foo", "bar"), tuple("baz", "quux") ]); assert(is(typeof(b) == string[string])); assert(b == ["foo":"bar", "baz":"quux"]); } // @@@11053@@@ - Cannot be version(unittest) - recursive instantiation error unittest { import std.typecons; static assert(!__traits(compiles, [ tuple("foo", "bar", "baz") ].assocArray())); static assert(!__traits(compiles, [ tuple("foo") ].assocArray())); assert([ tuple("foo", "bar") ].assocArray() == ["foo": "bar"]); } // Issue 13909 unittest { import std.typecons; auto a = [tuple!(const string, string)("foo", "bar")]; auto b = [tuple!(string, const string)("foo", "bar")]; assert(assocArray(a) == [cast(const(string)) "foo": "bar"]); static assert(!__traits(compiles, assocArray(b))); } /** Construct a range iterating over an associative array by key/value tuples. Params: aa = The associative array to iterate over. Returns: A forward range of Tuple's of key and value pairs from the given associative array. */ auto byPair(Key, Value)(Value[Key] aa) { import std.typecons : tuple; import std.algorithm : map; return aa.byKeyValue.map!(pair => tuple(pair.key, pair.value)); } /// unittest { import std.typecons : tuple, Tuple; import std.algorithm : sort; auto aa = ["a": 1, "b": 2, "c": 3]; Tuple!(string, int)[] pairs; // Iteration over key/value pairs. foreach (pair; aa.byPair) { pairs ~= pair; } // Iteration order is implementation-dependent, so we should sort it to get // a fixed order. sort(pairs); assert(pairs == [ tuple("a", 1), tuple("b", 2), tuple("c", 3) ]); } unittest { import std.typecons : tuple, Tuple; auto aa = ["a":2]; auto pairs = aa.byPair(); static assert(is(typeof(pairs.front) == Tuple!(string,int))); static assert(isForwardRange!(typeof(pairs))); assert(!pairs.empty); assert(pairs.front == tuple("a", 2)); auto savedPairs = pairs.save; pairs.popFront(); assert(pairs.empty); assert(!savedPairs.empty); assert(savedPairs.front == tuple("a", 2)); } private template blockAttribute(T) { import core.memory; static if (hasIndirections!(T) || is(T == void)) { enum blockAttribute = 0; } else { enum blockAttribute = GC.BlkAttr.NO_SCAN; } } version(unittest) { import core.memory : UGC = GC; static assert(!(blockAttribute!void & UGC.BlkAttr.NO_SCAN)); } // Returns the number of dimensions in an array T. private template nDimensions(T) { static if (isArray!T) { enum nDimensions = 1 + nDimensions!(typeof(T.init[0])); } else { enum nDimensions = 0; } } version(unittest) { static assert(nDimensions!(uint[]) == 1); static assert(nDimensions!(float[][]) == 2); } /++ Returns a new array of type $(D T) allocated on the garbage collected heap without initializing its elements. This can be a useful optimization if every element will be immediately initialized. $(D T) may be a multidimensional array. In this case sizes may be specified for any number of dimensions from 0 to the number in $(D T). uninitializedArray is nothrow and weakly pure. uninitializedArray is @system if the uninitialized element type has pointers. +/ auto uninitializedArray(T, I...)(I sizes) nothrow @system if (isDynamicArray!T && allSatisfy!(isIntegral, I) && hasIndirections!(ElementEncodingType!T)) { enum isSize_t(E) = is (E : size_t); alias toSize_t(E) = size_t; static assert(allSatisfy!(isSize_t, I), "Argument types in "~I.stringof~" are not all convertible to size_t: " ~Filter!(templateNot!(isSize_t), I).stringof); //Eagerlly transform non-size_t into size_t to avoid template bloat alias ST = staticMap!(toSize_t, I); return arrayAllocImpl!(false, T, ST)(sizes); } /// auto uninitializedArray(T, I...)(I sizes) nothrow @trusted if (isDynamicArray!T && allSatisfy!(isIntegral, I) && !hasIndirections!(ElementEncodingType!T)) { enum isSize_t(E) = is (E : size_t); alias toSize_t(E) = size_t; static assert(allSatisfy!(isSize_t, I), "Argument types in "~I.stringof~" are not all convertible to size_t: " ~Filter!(templateNot!(isSize_t), I).stringof); //Eagerlly transform non-size_t into size_t to avoid template bloat alias ST = staticMap!(toSize_t, I); return arrayAllocImpl!(false, T, ST)(sizes); } /// @system nothrow pure unittest { double[] arr = uninitializedArray!(double[])(100); assert(arr.length == 100); double[][] matrix = uninitializedArray!(double[][])(42, 31); assert(matrix.length == 42); assert(matrix[0].length == 31); char*[] ptrs = uninitializedArray!(char*[])(100); assert(ptrs.length == 100); } /++ Returns a new array of type $(D T) allocated on the garbage collected heap. Partial initialization is done for types with indirections, for preservation of memory safety. Note that elements will only be initialized to 0, but not necessarily the element type's $(D .init). minimallyInitializedArray is nothrow and weakly pure. +/ auto minimallyInitializedArray(T, I...)(I sizes) nothrow @trusted if (isDynamicArray!T && allSatisfy!(isIntegral, I)) { enum isSize_t(E) = is (E : size_t); alias toSize_t(E) = size_t; static assert(allSatisfy!(isSize_t, I), "Argument types in "~I.stringof~" are not all convertible to size_t: " ~Filter!(templateNot!(isSize_t), I).stringof); //Eagerlly transform non-size_t into size_t to avoid template bloat alias ST = staticMap!(toSize_t, I); return arrayAllocImpl!(true, T, ST)(sizes); } @safe pure nothrow unittest { cast(void)minimallyInitializedArray!(int[][][][][])(); double[] arr = minimallyInitializedArray!(double[])(100); assert(arr.length == 100); double[][] matrix = minimallyInitializedArray!(double[][])(42); assert(matrix.length == 42); foreach (elem; matrix) { assert(elem.ptr is null); } } private auto arrayAllocImpl(bool minimallyInitialized, T, I...)(I sizes) nothrow { static assert(I.length <= nDimensions!T, I.length.stringof~"dimensions specified for a "~nDimensions!T.stringof~" dimensional array."); alias E = ElementEncodingType!T; E[] ret; static if (I.length != 0) { static assert (is(I[0] == size_t)); alias size = sizes[0]; } static if (I.length == 1) { if (__ctfe) { static if (__traits(compiles, new E[](size))) ret = new E[](size); else static if (__traits(compiles, ret ~= E.init)) { try { //Issue: if E has an impure postblit, then all of arrayAllocImpl //Will be impure, even during non CTFE. foreach (i; 0 .. size) ret ~= E.init; } catch (Exception e) throw new Error(e.msg); } else assert(0, "No postblit nor default init on " ~ E.stringof ~ ": At least one is required for CTFE."); } else { import core.stdc.string : memset; import core.memory; auto ptr = cast(E*) GC.malloc(sizes[0] * E.sizeof, blockAttribute!E); static if (minimallyInitialized && hasIndirections!E) memset(ptr, 0, size * E.sizeof); ret = ptr[0 .. size]; } } else static if (I.length > 1) { ret = arrayAllocImpl!(false, E[])(size); foreach (ref elem; ret) elem = arrayAllocImpl!(minimallyInitialized, E)(sizes[1..$]); } return ret; } nothrow pure unittest { auto s1 = uninitializedArray!(int[])(); auto s2 = minimallyInitializedArray!(int[])(); assert(s1.length == 0); assert(s2.length == 0); } nothrow pure unittest //@@@9803@@@ { auto a = minimallyInitializedArray!(int*[])(1); assert(a[0] == null); auto b = minimallyInitializedArray!(int[][])(1); assert(b[0].empty); auto c = minimallyInitializedArray!(int*[][])(1, 1); assert(c[0][0] == null); } unittest //@@@10637@@@ { static struct S { static struct I{int i; alias i this;} int* p; this() @disable; this(int i) { p = &(new I(i)).i; } this(this) { p = &(new I(*p)).i; } ~this() { assert(p != null); } } auto a = minimallyInitializedArray!(S[])(1); assert(a[0].p == null); enum b = minimallyInitializedArray!(S[])(1); } nothrow unittest { static struct S1 { this() @disable; this(this) @disable; } auto a1 = minimallyInitializedArray!(S1[][])(2, 2); //enum b1 = minimallyInitializedArray!(S1[][])(2, 2); static struct S2 { this() @disable; //this(this) @disable; } auto a2 = minimallyInitializedArray!(S2[][])(2, 2); enum b2 = minimallyInitializedArray!(S2[][])(2, 2); static struct S3 { //this() @disable; this(this) @disable; } auto a3 = minimallyInitializedArray!(S3[][])(2, 2); enum b3 = minimallyInitializedArray!(S3[][])(2, 2); } // overlap /* NOTE: Undocumented for now, overlap does not yet work with ctfe. Returns the overlapping portion, if any, of two arrays. Unlike $(D equal), $(D overlap) only compares the pointers in the ranges, not the values referred by them. If $(D r1) and $(D r2) have an overlapping slice, returns that slice. Otherwise, returns the null slice. */ inout(T)[] overlap(T)(inout(T)[] r1, inout(T)[] r2) @trusted pure nothrow { alias U = inout(T); static U* max(U* a, U* b) nothrow { return a > b ? a : b; } static U* min(U* a, U* b) nothrow { return a < b ? a : b; } auto b = max(r1.ptr, r2.ptr); auto e = min(r1.ptr + r1.length, r2.ptr + r2.length); return b < e ? b[0 .. e - b] : null; } /// @safe pure /*nothrow*/ unittest { int[] a = [ 10, 11, 12, 13, 14 ]; int[] b = a[1 .. 3]; assert(overlap(a, b) == [ 11, 12 ]); b = b.dup; // overlap disappears even though the content is the same assert(overlap(a, b).empty); } /*@safe nothrow*/ unittest { static void test(L, R)(L l, R r) { import std.stdio; scope(failure) writeln("Types: L %s R %s", L.stringof, R.stringof); assert(overlap(l, r) == [ 100, 12 ]); assert(overlap(l, l[0 .. 2]) is l[0 .. 2]); assert(overlap(l, l[3 .. 5]) is l[3 .. 5]); assert(overlap(l[0 .. 2], l) is l[0 .. 2]); assert(overlap(l[3 .. 5], l) is l[3 .. 5]); } int[] a = [ 10, 11, 12, 13, 14 ]; int[] b = a[1 .. 3]; a[1] = 100; immutable int[] c = a.idup; immutable int[] d = c[1 .. 3]; test(a, b); assert(overlap(a, b.dup).empty); test(c, d); assert(overlap(c, d.idup).empty); } @safe pure nothrow unittest // bugzilla 9836 { // range primitives for array should work with alias this types struct Wrapper { int[] data; alias data this; @property Wrapper save() { return this; } } auto w = Wrapper([1,2,3,4]); std.array.popFront(w); // should work static assert(isInputRange!Wrapper); static assert(isForwardRange!Wrapper); static assert(isBidirectionalRange!Wrapper); static assert(isRandomAccessRange!Wrapper); } private void copyBackwards(T)(T[] src, T[] dest) { import core.stdc.string; assert(src.length == dest.length); if (!__ctfe || hasElaborateCopyConstructor!T) { /* insertInPlace relies on dest being uninitialized, so no postblits allowed, * as this is a MOVE that overwrites the destination, not a COPY. * BUG: insertInPlace will not work with ctfe and postblits */ memmove(dest.ptr, src.ptr, src.length * T.sizeof); } else { immutable len = src.length; for (size_t i = len; i-- > 0;) { dest[i] = src[i]; } } } /++ Inserts $(D stuff) (which must be an input range or any number of implicitly convertible items) in $(D array) at position $(D pos). +/ void insertInPlace(T, U...)(ref T[] array, size_t pos, U stuff) if (!isSomeString!(T[]) && allSatisfy!(isInputRangeOrConvertible!T, U) && U.length > 0) { static if (allSatisfy!(isInputRangeWithLengthOrConvertible!T, U)) { import std.conv : emplaceRef; immutable oldLen = array.length; size_t to_insert = 0; foreach (i, E; U) { static if (is(E : T)) //a single convertible value, not a range to_insert += 1; else to_insert += stuff[i].length; } if (to_insert) { array.length += to_insert; // Takes arguments array, pos, stuff // Spread apart array[] at pos by moving elements (() @trusted { copyBackwards(array[pos..oldLen], array[pos+to_insert..$]); })(); // Initialize array[pos .. pos+to_insert] with stuff[] auto j = 0; foreach (i, E; U) { static if (is(E : T)) { emplaceRef!T(array[pos + j++], stuff[i]); } else { foreach (v; stuff[i]) { emplaceRef!T(array[pos + j++], v); } } } } } else { // stuff has some InputRanges in it that don't have length // assume that stuff to be inserted is typically shorter // then the array that can be arbitrary big // TODO: needs a better implementation as there is no need to build an _array_ // a singly-linked list of memory blocks (rope, etc.) will do auto app = appender!(T[])(); foreach (i, E; U) app.put(stuff[i]); insertInPlace(array, pos, app.data); } } /// Ditto void insertInPlace(T, U...)(ref T[] array, size_t pos, U stuff) if (isSomeString!(T[]) && allSatisfy!(isCharOrStringOrDcharRange, U)) { static if (is(Unqual!T == T) && allSatisfy!(isInputRangeWithLengthOrConvertible!dchar, U)) { import std.utf : codeLength; // mutable, can do in place //helper function: re-encode dchar to Ts and store at *ptr static T* putDChar(T* ptr, dchar ch) { static if (is(T == dchar)) { *ptr++ = ch; return ptr; } else { import std.utf : encode; T[dchar.sizeof/T.sizeof] buf; size_t len = encode(buf, ch); final switch (len) { static if (T.sizeof == char.sizeof) { case 4: ptr[3] = buf[3]; goto case; case 3: ptr[2] = buf[2]; goto case; } case 2: ptr[1] = buf[1]; goto case; case 1: ptr[0] = buf[0]; } ptr += len; return ptr; } } immutable oldLen = array.length; size_t to_insert = 0; //count up the number of *codeunits* to insert foreach (i, E; U) to_insert += codeLength!T(stuff[i]); array.length += to_insert; @trusted static void moveToRight(T[] arr, size_t gap) { static assert(!hasElaborateCopyConstructor!T); import core.stdc.string; if (__ctfe) { for (size_t i = arr.length - gap; i; --i) arr[gap + i - 1] = arr[i - 1]; } else memmove(arr.ptr + gap, arr.ptr, (arr.length - gap) * T.sizeof); } moveToRight(array[pos .. $], to_insert); auto ptr = array.ptr + pos; foreach (i, E; U) { static if (is(E : dchar)) { ptr = putDChar(ptr, stuff[i]); } else { foreach (dchar ch; stuff[i]) ptr = putDChar(ptr, ch); } } assert(ptr == array.ptr + pos + to_insert, "(ptr == array.ptr + pos + to_insert) is false"); } else { // immutable/const, just construct a new array auto app = appender!(T[])(); app.put(array[0..pos]); foreach (i, E; U) app.put(stuff[i]); app.put(array[pos..$]); array = app.data; } } /// @safe pure unittest { int[] a = [ 1, 2, 3, 4 ]; a.insertInPlace(2, [ 1, 2 ]); assert(a == [ 1, 2, 1, 2, 3, 4 ]); a.insertInPlace(3, 10u, 11); assert(a == [ 1, 2, 1, 10, 11, 2, 3, 4]); } //constraint helpers private template isInputRangeWithLengthOrConvertible(E) { template isInputRangeWithLengthOrConvertible(R) { //hasLength not defined for char[], wchar[] and dchar[] enum isInputRangeWithLengthOrConvertible = (isInputRange!R && is(typeof(R.init.length)) && is(ElementType!R : E)) || is(R : E); } } //ditto private template isCharOrStringOrDcharRange(T) { enum isCharOrStringOrDcharRange = isSomeString!T || isSomeChar!T || (isInputRange!T && is(ElementType!T : dchar)); } //ditto private template isInputRangeOrConvertible(E) { template isInputRangeOrConvertible(R) { enum isInputRangeOrConvertible = (isInputRange!R && is(ElementType!R : E)) || is(R : E); } } unittest { import core.exception; import std.conv : to; import std.exception; import std.algorithm; bool test(T, U, V)(T orig, size_t pos, U toInsert, V result, string file = __FILE__, size_t line = __LINE__) { { static if (is(T == typeof(T.init.dup))) auto a = orig.dup; else auto a = orig.idup; a.insertInPlace(pos, toInsert); if (!std.algorithm.equal(a, result)) return false; } static if (isInputRange!U) { orig.insertInPlace(pos, filter!"true"(toInsert)); return std.algorithm.equal(orig, result); } else return true; } assert(test([1, 2, 3, 4], 0, [6, 7], [6, 7, 1, 2, 3, 4])); assert(test([1, 2, 3, 4], 2, [8, 9], [1, 2, 8, 9, 3, 4])); assert(test([1, 2, 3, 4], 4, [10, 11], [1, 2, 3, 4, 10, 11])); assert(test([1, 2, 3, 4], 0, 22, [22, 1, 2, 3, 4])); assert(test([1, 2, 3, 4], 2, 23, [1, 2, 23, 3, 4])); assert(test([1, 2, 3, 4], 4, 24, [1, 2, 3, 4, 24])); auto testStr(T, U)(string file = __FILE__, size_t line = __LINE__) { auto l = to!T("hello"); auto r = to!U(" વિશ્વ"); enforce(test(l, 0, r, " વિશ્વhello"), new AssertError("testStr failure 1", file, line)); enforce(test(l, 3, r, "hel વિશ્વlo"), new AssertError("testStr failure 2", file, line)); enforce(test(l, l.length, r, "hello વિશ્વ"), new AssertError("testStr failure 3", file, line)); } foreach (T; AliasSeq!(char, wchar, dchar, immutable(char), immutable(wchar), immutable(dchar))) { foreach (U; AliasSeq!(char, wchar, dchar, immutable(char), immutable(wchar), immutable(dchar))) { testStr!(T[], U[])(); } } // variadic version bool testVar(T, U...)(T orig, size_t pos, U args) { static if (is(T == typeof(T.init.dup))) auto a = orig.dup; else auto a = orig.idup; auto result = args[$-1]; a.insertInPlace(pos, args[0..$-1]); if (!std.algorithm.equal(a, result)) return false; return true; } assert(testVar([1, 2, 3, 4], 0, 6, 7u, [6, 7, 1, 2, 3, 4])); assert(testVar([1L, 2, 3, 4], 2, 8, 9L, [1, 2, 8, 9, 3, 4])); assert(testVar([1L, 2, 3, 4], 4, 10L, 11, [1, 2, 3, 4, 10, 11])); assert(testVar([1L, 2, 3, 4], 4, [10, 11], 40L, 42L, [1, 2, 3, 4, 10, 11, 40, 42])); assert(testVar([1L, 2, 3, 4], 4, 10, 11, [40L, 42], [1, 2, 3, 4, 10, 11, 40, 42])); assert(testVar("t".idup, 1, 'e', 's', 't', "test")); assert(testVar("!!"w.idup, 1, "\u00e9ll\u00f4", 'x', "TTT"w, 'y', "!\u00e9ll\u00f4xTTTy!")); assert(testVar("flipflop"d.idup, 4, '_', "xyz"w, '\U00010143', '_', "abc"d, "__", "flip_xyz\U00010143_abc__flop")); } unittest { import std.algorithm : equal; // insertInPlace interop with postblit static struct Int { int* payload; this(int k) { payload = new int; *payload = k; } this(this) { int* np = new int; *np = *payload; payload = np; } ~this() { if (payload) *payload = 0; //'destroy' it } @property int getPayload(){ return *payload; } alias getPayload this; } Int[] arr = [Int(1), Int(4), Int(5)]; assert(arr[0] == 1); insertInPlace(arr, 1, Int(2), Int(3)); assert(equal(arr, [1, 2, 3, 4, 5])); //check it works with postblit version (none) // illustrates that insertInPlace() will not work with CTFE and postblit { static bool testctfe() { Int[] arr = [Int(1), Int(4), Int(5)]; assert(arr[0] == 1); insertInPlace(arr, 1, Int(2), Int(3)); return equal(arr, [1, 2, 3, 4, 5]); //check it works with postblit } enum E = testctfe(); } } @safe unittest { import std.exception; assertCTFEable!( { int[] a = [1, 2]; a.insertInPlace(2, 3); a.insertInPlace(0, -1, 0); return a == [-1, 0, 1, 2, 3]; }); } unittest // bugzilla 6874 { import core.memory; // allocate some space byte[] a; a.length = 1; // fill it a.length = a.capacity; // write beyond byte[] b = a[$ .. $]; b.insertInPlace(0, a); // make sure that reallocation has happened assert(GC.addrOf(&b[0]) == GC.addrOf(&b[$-1])); } /++ Returns whether the $(D front)s of $(D lhs) and $(D rhs) both refer to the same place in memory, making one of the arrays a slice of the other which starts at index $(D 0). +/ @safe pure nothrow bool sameHead(T)(in T[] lhs, in T[] rhs) { return lhs.ptr == rhs.ptr; } /// @safe pure nothrow unittest { auto a = [1, 2, 3, 4, 5]; auto b = a[0..2]; assert(a.sameHead(b)); } /++ Returns whether the $(D back)s of $(D lhs) and $(D rhs) both refer to the same place in memory, making one of the arrays a slice of the other which end at index $(D $). +/ @trusted pure nothrow bool sameTail(T)(in T[] lhs, in T[] rhs) { return lhs.ptr + lhs.length == rhs.ptr + rhs.length; } /// @safe pure nothrow unittest { auto a = [1, 2, 3, 4, 5]; auto b = a[3..$]; assert(a.sameTail(b)); } @safe pure nothrow unittest { foreach (T; AliasSeq!(int[], const(int)[], immutable(int)[], const int[], immutable int[])) { T a = [1, 2, 3, 4, 5]; T b = a; T c = a[1 .. $]; T d = a[0 .. 1]; T e = null; assert(sameHead(a, a)); assert(sameHead(a, b)); assert(!sameHead(a, c)); assert(sameHead(a, d)); assert(!sameHead(a, e)); assert(sameTail(a, a)); assert(sameTail(a, b)); assert(sameTail(a, c)); assert(!sameTail(a, d)); assert(!sameTail(a, e)); //verifies R-value compatibilty assert(a.sameHead(a[0 .. 0])); assert(a.sameTail(a[$ .. $])); } } /******************************************** Returns an array that consists of $(D s) (which must be an input range) repeated $(D n) times. This function allocates, fills, and returns a new array. For a lazy version, refer to $(XREF range, repeat). */ ElementEncodingType!S[] replicate(S)(S s, size_t n) if (isDynamicArray!S) { alias RetType = ElementEncodingType!S[]; // Optimization for return join(std.range.repeat(s, n)); if (n == 0) return RetType.init; if (n == 1) return cast(RetType) s; auto r = new Unqual!(typeof(s[0]))[n * s.length]; if (s.length == 1) r[] = s[0]; else { immutable len = s.length, nlen = n * len; for (size_t i = 0; i < nlen; i += len) { r[i .. i + len] = s[]; } } return r; } /// ditto ElementType!S[] replicate(S)(S s, size_t n) if (isInputRange!S && !isDynamicArray!S) { import std.range : repeat; return join(std.range.repeat(s, n)); } /// unittest { auto a = "abc"; auto s = replicate(a, 3); assert(s == "abcabcabc"); auto b = [1, 2, 3]; auto c = replicate(b, 3); assert(c == [1, 2, 3, 1, 2, 3, 1, 2, 3]); auto d = replicate(b, 0); assert(d == []); } unittest { import std.conv : to; debug(std_array) printf("array.replicate.unittest\n"); foreach (S; AliasSeq!(string, wstring, dstring, char[], wchar[], dchar[])) { S s; immutable S t = "abc"; assert(replicate(to!S("1234"), 0) is null); assert(replicate(to!S("1234"), 0) is null); assert(replicate(to!S("1234"), 1) == "1234"); assert(replicate(to!S("1234"), 2) == "12341234"); assert(replicate(to!S("1"), 4) == "1111"); assert(replicate(t, 3) == "abcabcabc"); assert(replicate(cast(S) null, 4) is null); } } /++ Eagerly split the string $(D s) into an array of words, using whitespace as delimiter. Runs of whitespace are merged together (no empty words are produced). $(D @safe), $(D pure) and $(D CTFE)-able. See_Also: $(XREF_PACK algorithm,iteration,splitter) for a version that splits using any separator. $(XREF regex, splitter) for a version that splits using a regular expression defined separator. +/ S[] split(S)(S s) @safe pure if (isSomeString!S) { size_t istart; bool inword = false; S[] result; foreach (i, dchar c ; s) { import std.uni : isWhite; if (isWhite(c)) { if (inword) { result ~= s[istart .. i]; inword = false; } } else { if (!inword) { istart = i; inword = true; } } } if (inword) result ~= s[istart .. $]; return result; } unittest { import std.conv : to; import std.format; import std.typecons; static auto makeEntry(S)(string l, string[] r) {return tuple(l.to!S(), r.to!(S[])());} foreach (S; AliasSeq!(string, wstring, dstring,)) { auto entries = [ makeEntry!S("", []), makeEntry!S(" ", []), makeEntry!S("hello", ["hello"]), makeEntry!S(" hello ", ["hello"]), makeEntry!S(" h e l l o ", ["h", "e", "l", "l", "o"]), makeEntry!S("peter\t\npaul\rjerry", ["peter", "paul", "jerry"]), makeEntry!S(" \t\npeter paul\tjerry \n", ["peter", "paul", "jerry"]), makeEntry!S("\u2000日\u202F本\u205F語\u3000", ["日", "本", "語"]), makeEntry!S("  哈・郎博尔德}    ___一个", ["哈・郎博尔德}", "___一个"]) ]; foreach (entry; entries) assert(entry[0].split() == entry[1], format("got: %s, expected: %s.", entry[0].split(), entry[1])); } //Just to test that an immutable is split-able immutable string s = " \t\npeter paul\tjerry \n"; assert(split(s) == ["peter", "paul", "jerry"]); } unittest //safety, purity, ctfe ... { import std.exception; void dg() @safe pure { assert(split("hello world"c) == ["hello"c, "world"c]); assert(split("hello world"w) == ["hello"w, "world"w]); assert(split("hello world"d) == ["hello"d, "world"d]); } dg(); assertCTFEable!dg; } /// unittest { assert(split("hello world") == ["hello","world"]); assert(split("192.168.0.1", ".") == ["192", "168", "0", "1"]); auto a = split([1, 2, 3, 4, 5, 1, 2, 3, 4, 5], [2, 3]); assert(a == [[1], [4, 5, 1], [4, 5]]); } // @@@DEPRECATED_2017-01@@@ /++ $(RED Deprecated. Use $(XREF_PACK algorithm,iteration,_splitter) instead. This will be removed in January 2017.) Alias for $(XREF_PACK algorithm,iteration,_splitter). +/ deprecated("Please use std.algorithm.iteration.splitter instead.") alias splitter = std.algorithm.iteration.splitter; /++ Eagerly splits $(D range) into an array, using $(D sep) as the delimiter. The _range must be a $(XREF_PACK_NAMED _range,primitives,isForwardRange,forward _range). The separator can be a value of the same type as the elements in $(D range) or it can be another forward _range. Example: If $(D range) is a $(D string), $(D sep) can be a $(D char) or another $(D string). The return type will be an array of strings. If $(D range) is an $(D int) array, $(D sep) can be an $(D int) or another $(D int) array. The return type will be an array of $(D int) arrays. Params: range = a forward _range. sep = a value of the same type as the elements of $(D range) or another forward range. Returns: An array containing the divided parts of $(D range). See_Also: $(XREF_PACK algorithm,iteration,splitter) for the lazy version of this function. +/ auto split(Range, Separator)(Range range, Separator sep) if (isForwardRange!Range && is(typeof(ElementType!Range.init == Separator.init))) { import std.algorithm : splitter; return range.splitter(sep).array; } ///ditto auto split(Range, Separator)(Range range, Separator sep) if (isForwardRange!Range && isForwardRange!Separator && is(typeof(ElementType!Range.init == ElementType!Separator.init))) { import std.algorithm : splitter; return range.splitter(sep).array; } ///ditto auto split(alias isTerminator, Range)(Range range) if (isForwardRange!Range && is(typeof(unaryFun!isTerminator(range.front)))) { import std.algorithm : splitter; return range.splitter!isTerminator.array; } unittest { import std.conv; import std.algorithm : cmp; debug(std_array) printf("array.split\n"); foreach (S; AliasSeq!(string, wstring, dstring, immutable(string), immutable(wstring), immutable(dstring), char[], wchar[], dchar[], const(char)[], const(wchar)[], const(dchar)[], const(char[]), immutable(char[]))) { S s = to!S(",peter,paul,jerry,"); auto words = split(s, ","); assert(words.length == 5, text(words.length)); assert(cmp(words[0], "") == 0); assert(cmp(words[1], "peter") == 0); assert(cmp(words[2], "paul") == 0); assert(cmp(words[3], "jerry") == 0); assert(cmp(words[4], "") == 0); auto s1 = s[0 .. s.length - 1]; // lop off trailing ',' words = split(s1, ","); assert(words.length == 4); assert(cmp(words[3], "jerry") == 0); auto s2 = s1[1 .. s1.length]; // lop off leading ',' words = split(s2, ","); assert(words.length == 3); assert(cmp(words[0], "peter") == 0); auto s3 = to!S(",,peter,,paul,,jerry,,"); words = split(s3, ",,"); assert(words.length == 5); assert(cmp(words[0], "") == 0); assert(cmp(words[1], "peter") == 0); assert(cmp(words[2], "paul") == 0); assert(cmp(words[3], "jerry") == 0); assert(cmp(words[4], "") == 0); auto s4 = s3[0 .. s3.length - 2]; // lop off trailing ',,' words = split(s4, ",,"); assert(words.length == 4); assert(cmp(words[3], "jerry") == 0); auto s5 = s4[2 .. s4.length]; // lop off leading ',,' words = split(s5, ",,"); assert(words.length == 3); assert(cmp(words[0], "peter") == 0); } } /++ Conservative heuristic to determine if a range can be iterated cheaply. Used by $(D join) in decision to do an extra iteration of the range to compute the resultant length. If iteration is not cheap then precomputing length could be more expensive than using $(D Appender). For now, we only assume arrays are cheap to iterate. +/ private enum bool hasCheapIteration(R) = isArray!R; /++ Concatenates all of the ranges in $(D ror) together into one array using $(D sep) as the separator if present. Params: ror = Range of Ranges of Elements sep = Range of Elements Returns: an allocated array of Elements See_Also: $(XREF_PACK algorithm,iteration,joiner) +/ ElementEncodingType!(ElementType!RoR)[] join(RoR, R)(RoR ror, R sep) if (isInputRange!RoR && isInputRange!(Unqual!(ElementType!RoR)) && isInputRange!R && is(Unqual!(ElementType!(ElementType!RoR)) == Unqual!(ElementType!R))) { alias RetType = typeof(return); alias RetTypeElement = Unqual!(ElementEncodingType!RetType); alias RoRElem = ElementType!RoR; if (ror.empty) return RetType.init; // Constraint only requires input range for sep. // This converts sep to an array (forward range) if it isn't one, // and makes sure it has the same string encoding for string types. static if (isSomeString!RetType && !is(RetTypeElement == Unqual!(ElementEncodingType!R))) { import std.conv : to; auto sepArr = to!RetType(sep); } else static if (!isArray!R) auto sepArr = array(sep); else alias sepArr = sep; static if (hasCheapIteration!RoR && (hasLength!RoRElem || isNarrowString!RoRElem)) { import std.conv : emplaceRef; size_t length; // length of result array size_t rorLength; // length of range ror foreach (r; ror.save) { length += r.length; ++rorLength; } if (!rorLength) return null; length += (rorLength - 1) * sepArr.length; auto result = (() @trusted => uninitializedArray!(RetTypeElement[])(length))(); size_t len; foreach (e; ror.front) emplaceRef(result[len++], e); ror.popFront(); foreach (r; ror) { foreach (e; sepArr) emplaceRef(result[len++], e); foreach (e; r) emplaceRef(result[len++], e); } assert(len == result.length); return (() @trusted => cast(RetType) result)(); } else { auto result = appender!RetType(); put(result, ror.front); ror.popFront(); for (; !ror.empty; ror.popFront()) { put(result, sep); put(result, ror.front); } return result.data; } } unittest // Issue 14230 { string[] ary = ["","aa","bb","cc"]; // leaded by _empty_ element assert(ary.join(" @") == " @aa @bb @cc"); // OK in 2.067b1 and olders } /// Ditto ElementEncodingType!(ElementType!RoR)[] join(RoR, E)(RoR ror, E sep) if (isInputRange!RoR && isInputRange!(Unqual!(ElementType!RoR)) && is(E : ElementType!(ElementType!RoR))) { alias RetType = typeof(return); alias RetTypeElement = Unqual!(ElementEncodingType!RetType); alias RoRElem = ElementType!RoR; if (ror.empty) return RetType.init; static if (hasCheapIteration!RoR && (hasLength!RoRElem || isNarrowString!RoRElem)) { static if (isSomeChar!E && isSomeChar!RetTypeElement && E.sizeof > RetTypeElement.sizeof) { import std.utf : encode; RetTypeElement[4 / RetTypeElement.sizeof] encodeSpace; immutable size_t sepArrLength = encode(encodeSpace, sep); return join(ror, encodeSpace[0..sepArrLength]); } else { import std.conv : emplaceRef; size_t length; size_t rorLength; foreach (r; ror.save) { length += r.length; ++rorLength; } if (!rorLength) return null; length += rorLength - 1; auto result = uninitializedArray!(RetTypeElement[])(length); size_t len; foreach (e; ror.front) emplaceRef(result[len++], e); ror.popFront(); foreach (r; ror) { emplaceRef(result[len++], sep); foreach (e; r) emplaceRef(result[len++], e); } assert(len == result.length); return (() @trusted => cast(RetType) result)(); } } else { auto result = appender!RetType(); put(result, ror.front); ror.popFront(); for (; !ror.empty; ror.popFront()) { put(result, sep); put(result, ror.front); } return result.data; } } unittest // Issue 10895 { class A { string name; alias name this; this(string name) { this.name = name; } } auto a = [new A(`foo`)]; assert(a[0].length == 3); auto temp = join(a, " "); assert(a[0].length == 3); } unittest // Issue 14230 { string[] ary = ["","aa","bb","cc"]; assert(ary.join('@') == "@aa@bb@cc"); } /// Ditto ElementEncodingType!(ElementType!RoR)[] join(RoR)(RoR ror) if (isInputRange!RoR && isInputRange!(Unqual!(ElementType!RoR))) { alias RetType = typeof(return); alias RetTypeElement = Unqual!(ElementEncodingType!RetType); alias RoRElem = ElementType!RoR; if (ror.empty) return RetType.init; static if (hasCheapIteration!RoR && (hasLength!RoRElem || isNarrowString!RoRElem)) { import std.conv : emplaceRef; size_t length; foreach (r; ror.save) length += r.length; auto result = (() @trusted => uninitializedArray!(RetTypeElement[])(length))(); size_t len; foreach (r; ror) foreach (e; r) emplaceRef(result[len++], e); assert(len == result.length); return (() @trusted => cast(RetType)result)(); } else { auto result = appender!RetType(); for (; !ror.empty; ror.popFront()) put(result, ror.front); return result.data; } } /// @safe pure nothrow unittest { assert(join(["hello", "silly", "world"], " ") == "hello silly world"); assert(join(["hello", "silly", "world"]) == "hellosillyworld"); assert(join([[1, 2, 3], [4, 5]], [72, 73]) == [1, 2, 3, 72, 73, 4, 5]); assert(join([[1, 2, 3], [4, 5]]) == [1, 2, 3, 4, 5]); const string[] arr = ["apple", "banana"]; assert(arr.join(",") == "apple,banana"); assert(arr.join() == "applebanana"); } @safe pure unittest { import std.conv : to; foreach (T; AliasSeq!(string,wstring,dstring)) { auto arr2 = "Здравствуй Мир Unicode".to!(T); auto arr = ["Здравствуй", "Мир", "Unicode"].to!(T[]); assert(join(arr) == "ЗдравствуйМирUnicode"); foreach (S; AliasSeq!(char,wchar,dchar)) { auto jarr = arr.join(to!S(' ')); static assert(is(typeof(jarr) == T)); assert(jarr == arr2); } foreach (S; AliasSeq!(string,wstring,dstring)) { auto jarr = arr.join(to!S(" ")); static assert(is(typeof(jarr) == T)); assert(jarr == arr2); } } foreach (T; AliasSeq!(string,wstring,dstring)) { auto arr2 = "Здравствуй\u047CМир\u047CUnicode".to!(T); auto arr = ["Здравствуй", "Мир", "Unicode"].to!(T[]); foreach (S; AliasSeq!(wchar,dchar)) { auto jarr = arr.join(to!S('\u047C')); static assert(is(typeof(jarr) == T)); assert(jarr == arr2); } } const string[] arr = ["apple", "banana"]; assert(arr.join(',') == "apple,banana"); } unittest { import std.conv : to; import std.algorithm; import std.range; debug(std_array) printf("array.join.unittest\n"); foreach (R; AliasSeq!(string, wstring, dstring)) { R word1 = "日本語"; R word2 = "paul"; R word3 = "jerry"; R[] words = [word1, word2, word3]; auto filteredWord1 = filter!"true"(word1); auto filteredLenWord1 = takeExactly(filteredWord1, word1.walkLength()); auto filteredWord2 = filter!"true"(word2); auto filteredLenWord2 = takeExactly(filteredWord2, word2.walkLength()); auto filteredWord3 = filter!"true"(word3); auto filteredLenWord3 = takeExactly(filteredWord3, word3.walkLength()); auto filteredWordsArr = [filteredWord1, filteredWord2, filteredWord3]; auto filteredLenWordsArr = [filteredLenWord1, filteredLenWord2, filteredLenWord3]; auto filteredWords = filter!"true"(filteredWordsArr); foreach (S; AliasSeq!(string, wstring, dstring)) (){ // avoid slow optimizations for large functions @@@BUG@@@ 2396 assert(join(filteredWords, to!S(", ")) == "日本語, paul, jerry"); assert(join(filteredWords, to!(ElementType!S)(',')) == "日本語,paul,jerry"); assert(join(filteredWordsArr, to!(ElementType!(S))(',')) == "日本語,paul,jerry"); assert(join(filteredWordsArr, to!S(", ")) == "日本語, paul, jerry"); assert(join(filteredWordsArr, to!(ElementType!(S))(',')) == "日本語,paul,jerry"); assert(join(filteredLenWordsArr, to!S(", ")) == "日本語, paul, jerry"); assert(join(filter!"true"(words), to!S(", ")) == "日本語, paul, jerry"); assert(join(words, to!S(", ")) == "日本語, paul, jerry"); assert(join(filteredWords, to!S("")) == "日本語pauljerry"); assert(join(filteredWordsArr, to!S("")) == "日本語pauljerry"); assert(join(filteredLenWordsArr, to!S("")) == "日本語pauljerry"); assert(join(filter!"true"(words), to!S("")) == "日本語pauljerry"); assert(join(words, to!S("")) == "日本語pauljerry"); assert(join(filter!"true"([word1]), to!S(", ")) == "日本語"); assert(join([filteredWord1], to!S(", ")) == "日本語"); assert(join([filteredLenWord1], to!S(", ")) == "日本語"); assert(join(filter!"true"([filteredWord1]), to!S(", ")) == "日本語"); assert(join([word1], to!S(", ")) == "日本語"); assert(join(filteredWords, to!S(word1)) == "日本語日本語paul日本語jerry"); assert(join(filteredWordsArr, to!S(word1)) == "日本語日本語paul日本語jerry"); assert(join(filteredLenWordsArr, to!S(word1)) == "日本語日本語paul日本語jerry"); assert(join(filter!"true"(words), to!S(word1)) == "日本語日本語paul日本語jerry"); assert(join(words, to!S(word1)) == "日本語日本語paul日本語jerry"); auto filterComma = filter!"true"(to!S(", ")); assert(join(filteredWords, filterComma) == "日本語, paul, jerry"); assert(join(filteredWordsArr, filterComma) == "日本語, paul, jerry"); assert(join(filteredLenWordsArr, filterComma) == "日本語, paul, jerry"); assert(join(filter!"true"(words), filterComma) == "日本語, paul, jerry"); assert(join(words, filterComma) == "日本語, paul, jerry"); }(); assert(join(filteredWords) == "日本語pauljerry"); assert(join(filteredWordsArr) == "日本語pauljerry"); assert(join(filteredLenWordsArr) == "日本語pauljerry"); assert(join(filter!"true"(words)) == "日本語pauljerry"); assert(join(words) == "日本語pauljerry"); assert(join(filteredWords, filter!"true"(", ")) == "日本語, paul, jerry"); assert(join(filteredWordsArr, filter!"true"(", ")) == "日本語, paul, jerry"); assert(join(filteredLenWordsArr, filter!"true"(", ")) == "日本語, paul, jerry"); assert(join(filter!"true"(words), filter!"true"(", ")) == "日本語, paul, jerry"); assert(join(words, filter!"true"(", ")) == "日本語, paul, jerry"); assert(join(filter!"true"(cast(typeof(filteredWordsArr))[]), ", ").empty); assert(join(cast(typeof(filteredWordsArr))[], ", ").empty); assert(join(cast(typeof(filteredLenWordsArr))[], ", ").empty); assert(join(filter!"true"(cast(R[])[]), ", ").empty); assert(join(cast(R[])[], ", ").empty); assert(join(filter!"true"(cast(typeof(filteredWordsArr))[])).empty); assert(join(cast(typeof(filteredWordsArr))[]).empty); assert(join(cast(typeof(filteredLenWordsArr))[]).empty); assert(join(filter!"true"(cast(R[])[])).empty); assert(join(cast(R[])[]).empty); } assert(join([[1, 2], [41, 42]], [5, 6]) == [1, 2, 5, 6, 41, 42]); assert(join([[1, 2], [41, 42]], cast(int[])[]) == [1, 2, 41, 42]); assert(join([[1, 2]], [5, 6]) == [1, 2]); assert(join(cast(int[][])[], [5, 6]).empty); assert(join([[1, 2], [41, 42]]) == [1, 2, 41, 42]); assert(join(cast(int[][])[]).empty); alias f = filter!"true"; assert(join([[1, 2], [41, 42]], [5, 6]) == [1, 2, 5, 6, 41, 42]); assert(join(f([[1, 2], [41, 42]]), [5, 6]) == [1, 2, 5, 6, 41, 42]); assert(join([f([1, 2]), f([41, 42])], [5, 6]) == [1, 2, 5, 6, 41, 42]); assert(join(f([f([1, 2]), f([41, 42])]), [5, 6]) == [1, 2, 5, 6, 41, 42]); assert(join([[1, 2], [41, 42]], f([5, 6])) == [1, 2, 5, 6, 41, 42]); assert(join(f([[1, 2], [41, 42]]), f([5, 6])) == [1, 2, 5, 6, 41, 42]); assert(join([f([1, 2]), f([41, 42])], f([5, 6])) == [1, 2, 5, 6, 41, 42]); assert(join(f([f([1, 2]), f([41, 42])]), f([5, 6])) == [1, 2, 5, 6, 41, 42]); } // Issue 10683 unittest { import std.range : join; import std.typecons : tuple; assert([[tuple(1)]].join == [tuple(1)]); assert([[tuple("x")]].join == [tuple("x")]); } // Issue 13877 unittest { // Test that the range is iterated only once. import std.algorithm : map; int c = 0; auto j1 = [1, 2, 3].map!(_ => [c++]).join; assert(c == 3); assert(j1 == [0, 1, 2]); c = 0; auto j2 = [1, 2, 3].map!(_ => [c++]).join(9); assert(c == 3); assert(j2 == [0, 9, 1, 9, 2]); c = 0; auto j3 = [1, 2, 3].map!(_ => [c++]).join([9]); assert(c == 3); assert(j3 == [0, 9, 1, 9, 2]); } /++ Replace occurrences of $(D from) with $(D to) in $(D subject). Returns a new array without changing the contents of $(D subject), or the original array if no match is found. +/ E[] replace(E, R1, R2)(E[] subject, R1 from, R2 to) if (isDynamicArray!(E[]) && isForwardRange!R1 && isForwardRange!R2 && (hasLength!R2 || isSomeString!R2)) { import std.algorithm.searching : find; if (from.empty) return subject; auto balance = find(subject, from.save); if (balance.empty) return subject; auto app = appender!(E[])(); app.put(subject[0 .. subject.length - balance.length]); app.put(to.save); replaceInto(app, balance[from.length .. $], from, to); return app.data; } /// unittest { assert("Hello Wörld".replace("o Wö", "o Wo") == "Hello World"); assert("Hello Wörld".replace("l", "h") == "Hehho Wörhd"); } /++ Same as above, but outputs the result via OutputRange $(D sink). If no match is found the original array is transferred to $(D sink) as is. +/ void replaceInto(E, Sink, R1, R2)(Sink sink, E[] subject, R1 from, R2 to) if (isOutputRange!(Sink, E) && isDynamicArray!(E[]) && isForwardRange!R1 && isForwardRange!R2 && (hasLength!R2 || isSomeString!R2)) { import std.algorithm.searching : find; if (from.empty) { sink.put(subject); return; } for (;;) { auto balance = find(subject, from.save); if (balance.empty) { sink.put(subject); break; } sink.put(subject[0 .. subject.length - balance.length]); sink.put(to.save); subject = balance[from.length .. $]; } } /// unittest { auto arr = [1, 2, 3, 4, 5]; auto from = [2, 3]; auto into = [4, 6]; auto sink = appender!(int[])(); replaceInto(sink, arr, from, into); assert(sink.data == [1, 4, 6, 4, 5]); } unittest { import std.conv : to; import std.algorithm : cmp; debug(std_array) printf("array.replace.unittest\n"); foreach (S; AliasSeq!(string, wstring, dstring, char[], wchar[], dchar[])) { foreach (T; AliasSeq!(string, wstring, dstring, char[], wchar[], dchar[])) (){ // avoid slow optimizations for large functions @@@BUG@@@ 2396 auto s = to!S("This is a foo foo list"); auto from = to!T("foo"); auto into = to!S("silly"); S r; int i; r = replace(s, from, into); i = cmp(r, "This is a silly silly list"); assert(i == 0); r = replace(s, to!S(""), into); i = cmp(r, "This is a foo foo list"); assert(i == 0); assert(replace(r, to!S("won't find this"), to!S("whatever")) is r); }(); } immutable s = "This is a foo foo list"; assert(replace(s, "foo", "silly") == "This is a silly silly list"); } unittest { import std.conv : to; import std.algorithm : skipOver; struct CheckOutput(C) { C[] desired; this(C[] arr){ desired = arr; } void put(C[] part){ assert(skipOver(desired, part)); } } foreach (S; AliasSeq!(string, wstring, dstring, char[], wchar[], dchar[])) { alias Char = ElementEncodingType!S; S s = to!S("yet another dummy text, yet another ..."); S from = to!S("yet another"); S into = to!S("some"); replaceInto(CheckOutput!(Char)(to!S("some dummy text, some ...")) , s, from, into); } } /++ Replaces elements from $(D array) with indices ranging from $(D from) (inclusive) to $(D to) (exclusive) with the range $(D stuff). Returns a new array without changing the contents of $(D subject). +/ T[] replace(T, Range)(T[] subject, size_t from, size_t to, Range stuff) if (isInputRange!Range && (is(ElementType!Range : T) || isSomeString!(T[]) && is(ElementType!Range : dchar))) { static if (hasLength!Range && is(ElementEncodingType!Range : T)) { import std.algorithm : copy; assert(from <= to); immutable sliceLen = to - from; auto retval = new Unqual!(T)[](subject.length - sliceLen + stuff.length); retval[0 .. from] = subject[0 .. from]; if (!stuff.empty) copy(stuff, retval[from .. from + stuff.length]); retval[from + stuff.length .. $] = subject[to .. $]; return cast(T[])retval; } else { auto app = appender!(T[])(); app.put(subject[0 .. from]); app.put(stuff); app.put(subject[to .. $]); return app.data; } } /// unittest { auto a = [ 1, 2, 3, 4 ]; auto b = a.replace(1, 3, [ 9, 9, 9 ]); assert(a == [ 1, 2, 3, 4 ]); assert(b == [ 1, 9, 9, 9, 4 ]); } unittest { import core.exception; import std.conv : to; import std.exception; import std.algorithm; auto a = [ 1, 2, 3, 4 ]; assert(replace(a, 0, 0, [5, 6, 7]) == [5, 6, 7, 1, 2, 3, 4]); assert(replace(a, 0, 2, cast(int[])[]) == [3, 4]); assert(replace(a, 0, 4, [5, 6, 7]) == [5, 6, 7]); assert(replace(a, 0, 2, [5, 6, 7]) == [5, 6, 7, 3, 4]); assert(replace(a, 2, 4, [5, 6, 7]) == [1, 2, 5, 6, 7]); assert(replace(a, 0, 0, filter!"true"([5, 6, 7])) == [5, 6, 7, 1, 2, 3, 4]); assert(replace(a, 0, 2, filter!"true"(cast(int[])[])) == [3, 4]); assert(replace(a, 0, 4, filter!"true"([5, 6, 7])) == [5, 6, 7]); assert(replace(a, 0, 2, filter!"true"([5, 6, 7])) == [5, 6, 7, 3, 4]); assert(replace(a, 2, 4, filter!"true"([5, 6, 7])) == [1, 2, 5, 6, 7]); assert(a == [ 1, 2, 3, 4 ]); auto testStr(T, U)(string file = __FILE__, size_t line = __LINE__) { auto l = to!T("hello"); auto r = to!U(" world"); enforce(replace(l, 0, 0, r) == " worldhello", new AssertError("testStr failure 1", file, line)); enforce(replace(l, 0, 3, r) == " worldlo", new AssertError("testStr failure 2", file, line)); enforce(replace(l, 3, l.length, r) == "hel world", new AssertError("testStr failure 3", file, line)); enforce(replace(l, 0, l.length, r) == " world", new AssertError("testStr failure 4", file, line)); enforce(replace(l, l.length, l.length, r) == "hello world", new AssertError("testStr failure 5", file, line)); } testStr!(string, string)(); testStr!(string, wstring)(); testStr!(string, dstring)(); testStr!(wstring, string)(); testStr!(wstring, wstring)(); testStr!(wstring, dstring)(); testStr!(dstring, string)(); testStr!(dstring, wstring)(); testStr!(dstring, dstring)(); enum s = "0123456789"; enum w = "⁰¹²³⁴⁵⁶⁷⁸⁹"w; enum d = "⁰¹²³⁴⁵⁶⁷⁸⁹"d; assert(replace(s, 0, 0, "***") == "***0123456789"); assert(replace(s, 10, 10, "***") == "0123456789***"); assert(replace(s, 3, 8, "1012") == "012101289"); assert(replace(s, 0, 5, "43210") == "4321056789"); assert(replace(s, 5, 10, "43210") == "0123443210"); assert(replace(w, 0, 0, "***"w) == "***⁰¹²³⁴⁵⁶⁷⁸⁹"w); assert(replace(w, 10, 10, "***"w) == "⁰¹²³⁴⁵⁶⁷⁸⁹***"w); assert(replace(w, 3, 8, "¹⁰¹²"w) == "⁰¹²¹⁰¹²⁸⁹"w); assert(replace(w, 0, 5, "⁴³²¹⁰"w) == "⁴³²¹⁰⁵⁶⁷⁸⁹"w); assert(replace(w, 5, 10, "⁴³²¹⁰"w) == "⁰¹²³⁴⁴³²¹⁰"w); assert(replace(d, 0, 0, "***"d) == "***⁰¹²³⁴⁵⁶⁷⁸⁹"d); assert(replace(d, 10, 10, "***"d) == "⁰¹²³⁴⁵⁶⁷⁸⁹***"d); assert(replace(d, 3, 8, "¹⁰¹²"d) == "⁰¹²¹⁰¹²⁸⁹"d); assert(replace(d, 0, 5, "⁴³²¹⁰"d) == "⁴³²¹⁰⁵⁶⁷⁸⁹"d); assert(replace(d, 5, 10, "⁴³²¹⁰"d) == "⁰¹²³⁴⁴³²¹⁰"d); } /++ Replaces elements from $(D array) with indices ranging from $(D from) (inclusive) to $(D to) (exclusive) with the range $(D stuff). Expands or shrinks the array as needed. +/ void replaceInPlace(T, Range)(ref T[] array, size_t from, size_t to, Range stuff) if (is(typeof(replace(array, from, to, stuff)))) { static if (isDynamicArray!Range && is(Unqual!(ElementEncodingType!Range) == T) && !isNarrowString!(T[])) { // optimized for homogeneous arrays that can be overwritten. import std.algorithm : remove; import std.typecons : tuple; if (overlap(array, stuff).length) { // use slower/conservative method array = array[0 .. from] ~ stuff ~ array[to .. $]; } else if (stuff.length <= to - from) { // replacement reduces length immutable stuffEnd = from + stuff.length; array[from .. stuffEnd] = stuff[]; if (stuffEnd < to) array = remove(array, tuple(stuffEnd, to)); } else { // replacement increases length // @@@TODO@@@: optimize this immutable replaceLen = to - from; array[from .. to] = stuff[0 .. replaceLen]; insertInPlace(array, to, stuff[replaceLen .. $]); } } else { // default implementation, just do what replace does. array = replace(array, from, to, stuff); } } /// unittest { int[] a = [1, 4, 5]; replaceInPlace(a, 1u, 2u, [2, 3, 4]); assert(a == [1, 2, 3, 4, 5]); replaceInPlace(a, 1u, 2u, cast(int[])[]); assert(a == [1, 3, 4, 5]); replaceInPlace(a, 1u, 3u, a[2 .. 4]); assert(a == [1, 4, 5, 5]); } unittest { // Bug# 12889 int[1][] arr = [[0], [1], [2], [3], [4], [5], [6]]; int[1][] stuff = [[0], [1]]; replaceInPlace(arr, 4, 6, stuff); assert(arr == [[0], [1], [2], [3], [0], [1], [6]]); } unittest { // Bug# 14925 char[] a = "mon texte 1".dup; char[] b = "abc".dup; replaceInPlace(a, 4, 9, b); assert(a == "mon abc 1"); // ensure we can replace in place with different encodings string unicoded = "\U00010437"; string unicodedLong = "\U00010437aaaaa"; string base = "abcXXXxyz"; string result = "abc\U00010437xyz"; string resultLong = "abc\U00010437aaaaaxyz"; size_t repstart = 3; size_t repend = 3 + 3; void testStringReplaceInPlace(T, U)() { import std.conv; import std.algorithm : equal; auto a = unicoded.to!(U[]); auto b = unicodedLong.to!(U[]); auto test = base.to!(T[]); test.replaceInPlace(repstart, repend, a); assert(equal(test, result), "Failed for types " ~ T.stringof ~ " and " ~ U.stringof); test = base.to!(T[]); test.replaceInPlace(repstart, repend, b); assert(equal(test, resultLong), "Failed for types " ~ T.stringof ~ " and " ~ U.stringof); } import std.meta : AliasSeq; alias allChars = AliasSeq!(char, immutable(char), const(char), wchar, immutable(wchar), const(wchar), dchar, immutable(dchar), const(dchar)); foreach (T; allChars) foreach (U; allChars) testStringReplaceInPlace!(T, U)(); void testInout(inout(int)[] a) { // will be transferred to the 'replace' function replaceInPlace(a, 1, 2, [1,2,3]); } } unittest { // the constraint for the first overload used to match this, which wouldn't compile. import std.algorithm : equal; long[] a = [1L, 2, 3]; int[] b = [4, 5, 6]; a.replaceInPlace(1, 2, b); assert(equal(a, [1L, 4, 5, 6, 3])); } unittest { import core.exception; import std.conv : to; import std.exception; import std.algorithm; bool test(T, U, V)(T orig, size_t from, size_t to, U toReplace, V result, string file = __FILE__, size_t line = __LINE__) { { static if (is(T == typeof(T.init.dup))) auto a = orig.dup; else auto a = orig.idup; a.replaceInPlace(from, to, toReplace); if (!std.algorithm.equal(a, result)) return false; } static if (isInputRange!U) { orig.replaceInPlace(from, to, filter!"true"(toReplace)); return std.algorithm.equal(orig, result); } else return true; } assert(test([1, 2, 3, 4], 0, 0, [5, 6, 7], [5, 6, 7, 1, 2, 3, 4])); assert(test([1, 2, 3, 4], 0, 2, cast(int[])[], [3, 4])); assert(test([1, 2, 3, 4], 0, 4, [5, 6, 7], [5, 6, 7])); assert(test([1, 2, 3, 4], 0, 2, [5, 6, 7], [5, 6, 7, 3, 4])); assert(test([1, 2, 3, 4], 2, 4, [5, 6, 7], [1, 2, 5, 6, 7])); assert(test([1, 2, 3, 4], 0, 0, filter!"true"([5, 6, 7]), [5, 6, 7, 1, 2, 3, 4])); assert(test([1, 2, 3, 4], 0, 2, filter!"true"(cast(int[])[]), [3, 4])); assert(test([1, 2, 3, 4], 0, 4, filter!"true"([5, 6, 7]), [5, 6, 7])); assert(test([1, 2, 3, 4], 0, 2, filter!"true"([5, 6, 7]), [5, 6, 7, 3, 4])); assert(test([1, 2, 3, 4], 2, 4, filter!"true"([5, 6, 7]), [1, 2, 5, 6, 7])); auto testStr(T, U)(string file = __FILE__, size_t line = __LINE__) { auto l = to!T("hello"); auto r = to!U(" world"); enforce(test(l, 0, 0, r, " worldhello"), new AssertError("testStr failure 1", file, line)); enforce(test(l, 0, 3, r, " worldlo"), new AssertError("testStr failure 2", file, line)); enforce(test(l, 3, l.length, r, "hel world"), new AssertError("testStr failure 3", file, line)); enforce(test(l, 0, l.length, r, " world"), new AssertError("testStr failure 4", file, line)); enforce(test(l, l.length, l.length, r, "hello world"), new AssertError("testStr failure 5", file, line)); } testStr!(string, string)(); testStr!(string, wstring)(); testStr!(string, dstring)(); testStr!(wstring, string)(); testStr!(wstring, wstring)(); testStr!(wstring, dstring)(); testStr!(dstring, string)(); testStr!(dstring, wstring)(); testStr!(dstring, dstring)(); } /++ Replaces the first occurrence of $(D from) with $(D to) in $(D a). Returns a new array without changing the contents of $(D subject), or the original array if no match is found. +/ E[] replaceFirst(E, R1, R2)(E[] subject, R1 from, R2 to) if (isDynamicArray!(E[]) && isForwardRange!R1 && is(typeof(appender!(E[])().put(from[0 .. 1]))) && isForwardRange!R2 && is(typeof(appender!(E[])().put(to[0 .. 1])))) { import std.algorithm : countUntil; if (from.empty) return subject; static if (isSomeString!(E[])) { import std.string : indexOf; immutable idx = subject.indexOf(from); } else { import std.algorithm : countUntil; immutable idx = subject.countUntil(from); } if (idx == -1) return subject; auto app = appender!(E[])(); app.put(subject[0 .. idx]); app.put(to); static if (isSomeString!(E[]) && isSomeString!R1) { import std.utf : codeLength; immutable fromLength = codeLength!(Unqual!E, R1)(from); } else immutable fromLength = from.length; app.put(subject[idx + fromLength .. $]); return app.data; } /// unittest { auto a = [1, 2, 2, 3, 4, 5]; auto b = a.replaceFirst([2], [1337]); assert(b == [1, 1337, 2, 3, 4, 5]); auto s = "This is a foo foo list"; auto r = s.replaceFirst("foo", "silly"); assert(r == "This is a silly foo list"); } unittest { import std.conv : to; import std.algorithm : cmp; debug(std_array) printf("array.replaceFirst.unittest\n"); foreach (S; AliasSeq!(string, wstring, dstring, char[], wchar[], dchar[], const(char[]), immutable(char[]))) { foreach (T; AliasSeq!(string, wstring, dstring, char[], wchar[], dchar[], const(char[]), immutable(char[]))) (){ // avoid slow optimizations for large functions @@@BUG@@@ 2396 auto s = to!S("This is a foo foo list"); auto s2 = to!S("Thüs is a ßöö foo list"); auto from = to!T("foo"); auto from2 = to!T("ßöö"); auto into = to!T("silly"); auto into2 = to!T("sälly"); S r1 = replaceFirst(s, from, into); assert(cmp(r1, "This is a silly foo list") == 0); S r11 = replaceFirst(s2, from2, into2); assert(cmp(r11, "Thüs is a sälly foo list") == 0, to!string(r11) ~ " : " ~ S.stringof ~ " " ~ T.stringof); S r2 = replaceFirst(r1, from, into); assert(cmp(r2, "This is a silly silly list") == 0); S r3 = replaceFirst(s, to!T(""), into); assert(cmp(r3, "This is a foo foo list") == 0); assert(replaceFirst(r3, to!T("won't find"), to!T("whatever")) is r3); }(); } } //Bug# 8187 unittest { auto res = ["a", "a"]; assert(replace(res, "a", "b") == ["b", "b"]); assert(replaceFirst(res, "a", "b") == ["b", "a"]); } /++ Replaces the last occurrence of $(D from) with $(D to) in $(D a). Returns a new array without changing the contents of $(D subject), or the original array if no match is found. +/ E[] replaceLast(E, R1, R2)(E[] subject, R1 from , R2 to) if (isDynamicArray!(E[]) && isForwardRange!R1 && is(typeof(appender!(E[])().put(from[0 .. 1]))) && isForwardRange!R2 && is(typeof(appender!(E[])().put(to[0 .. 1])))) { import std.range : retro; if (from.empty) return subject; static if (isSomeString!(E[])) { import std.string : lastIndexOf; auto idx = subject.lastIndexOf(from); } else { import std.algorithm : countUntil; auto idx = retro(subject).countUntil(retro(from)); } if (idx == -1) return subject; static if (isSomeString!(E[]) && isSomeString!R1) { import std.utf : codeLength; auto fromLength = codeLength!(Unqual!E, R1)(from); } else auto fromLength = from.length; auto app = appender!(E[])(); static if (isSomeString!(E[])) app.put(subject[0 .. idx]); else app.put(subject[0 .. $ - idx - fromLength]); app.put(to); static if (isSomeString!(E[])) app.put(subject[idx+fromLength .. $]); else app.put(subject[$ - idx .. $]); return app.data; } /// unittest { auto a = [1, 2, 2, 3, 4, 5]; auto b = a.replaceLast([2], [1337]); assert(b == [1, 2, 1337, 3, 4, 5]); auto s = "This is a foo foo list"; auto r = s.replaceLast("foo", "silly"); assert(r == "This is a foo silly list", r); } unittest { import std.conv : to; import std.algorithm : cmp; debug(std_array) printf("array.replaceLast.unittest\n"); foreach (S; AliasSeq!(string, wstring, dstring, char[], wchar[], dchar[], const(char[]), immutable(char[]))) { foreach (T; AliasSeq!(string, wstring, dstring, char[], wchar[], dchar[], const(char[]), immutable(char[]))) (){ // avoid slow optimizations for large functions @@@BUG@@@ 2396 auto s = to!S("This is a foo foo list"); auto s2 = to!S("Thüs is a ßöö ßöö list"); auto from = to!T("foo"); auto from2 = to!T("ßöö"); auto into = to!T("silly"); auto into2 = to!T("sälly"); S r1 = replaceLast(s, from, into); assert(cmp(r1, "This is a foo silly list") == 0, to!string(r1)); S r11 = replaceLast(s2, from2, into2); assert(cmp(r11, "Thüs is a ßöö sälly list") == 0, to!string(r11) ~ " : " ~ S.stringof ~ " " ~ T.stringof); S r2 = replaceLast(r1, from, into); assert(cmp(r2, "This is a silly silly list") == 0); S r3 = replaceLast(s, to!T(""), into); assert(cmp(r3, "This is a foo foo list") == 0); assert(replaceLast(r3, to!T("won't find"), to!T("whatever")) is r3); }(); } } /++ Returns a new array that is $(D s) with $(D slice) replaced by $(D replacement[]). +/ inout(T)[] replaceSlice(T)(inout(T)[] s, in T[] slice, in T[] replacement) in { // Verify that slice[] really is a slice of s[] assert(overlap(s, slice) is slice); } body { auto result = new T[s.length - slice.length + replacement.length]; immutable so = slice.ptr - s.ptr; result[0 .. so] = s[0 .. so]; result[so .. so + replacement.length] = replacement[]; result[so + replacement.length .. result.length] = s[so + slice.length .. s.length]; return cast(inout(T)[]) result; } /// unittest { auto a = [1, 2, 3, 4, 5]; auto b = replaceSlice(a, a[1..4], [0, 0, 0]); assert(b == [1, 0, 0, 0, 5]); } unittest { import std.algorithm : cmp; debug(std_array) printf("array.replaceSlice.unittest\n"); string s = "hello"; string slice = s[2 .. 4]; auto r = replaceSlice(s, slice, "bar"); int i; i = cmp(r, "hebaro"); assert(i == 0); } /** Implements an output range that appends data to an array. This is recommended over $(D a ~= data) when appending many elements because it is more efficient. */ struct Appender(A) if (isDynamicArray!A) { import core.memory; private alias T = ElementEncodingType!A; private struct Data { size_t capacity; Unqual!T[] arr; bool canExtend = false; } private Data* _data; /** * Construct an appender with a given array. Note that this does not copy the * data. If the array has a larger capacity as determined by arr.capacity, * it will be used by the appender. After initializing an appender on an array, * appending to the original array will reallocate. */ this(T[] arr) @trusted pure nothrow { // initialize to a given array. _data = new Data; _data.arr = cast(Unqual!T[])arr; //trusted if (__ctfe) return; // We want to use up as much of the block the array is in as possible. // if we consume all the block that we can, then array appending is // safe WRT built-in append, and we can use the entire block. // We only do this for mutable types that can be extended. static if (isMutable!T && is(typeof(arr.length = size_t.max))) { auto cap = arr.capacity; //trusted // Replace with "GC.setAttr( Not Appendable )" once pure (and fixed) if (cap > arr.length) arr.length = cap; } _data.capacity = arr.length; } //Broken function. To be removed. static if (is(T == immutable)) { // Explicitly undocumented. It will be removed in March 2016. @@@DEPRECATED_2016-03@@@ deprecated ("Using this constructor will break the type system. Please fix your code to use `Appender!(T[]).this(T[] arr)' directly.") this(Unqual!T[] arr) pure nothrow { this(cast(T[]) arr); } //temporary: For resolving ambiguity: this(typeof(null)) { this(cast(T[]) null); } } /** * Reserve at least newCapacity elements for appending. Note that more elements * may be reserved than requested. If newCapacity <= capacity, then nothing is * done. */ void reserve(size_t newCapacity) @safe pure nothrow { if (_data) { if (newCapacity > _data.capacity) ensureAddable(newCapacity - _data.arr.length); } else { ensureAddable(newCapacity); } } /** * Returns the capacity of the array (the maximum number of elements the * managed array can accommodate before triggering a reallocation). If any * appending will reallocate, $(D capacity) returns $(D 0). */ @property size_t capacity() const @safe pure nothrow { return _data ? _data.capacity : 0; } /** * Returns the managed array. */ @property inout(T)[] data() inout @trusted pure nothrow { /* @trusted operation: * casting Unqual!T[] to inout(T)[] */ return cast(typeof(return))(_data ? _data.arr : null); } // ensure we can add nelems elements, resizing as necessary private void ensureAddable(size_t nelems) @trusted pure nothrow { if (!_data) _data = new Data; immutable len = _data.arr.length; immutable reqlen = len + nelems; if (_data.capacity >= reqlen) return; // need to increase capacity if (__ctfe) { static if (__traits(compiles, new Unqual!T[1])) { _data.arr.length = reqlen; } else { // avoid restriction of @disable this() _data.arr = _data.arr[0 .. _data.capacity]; foreach (i; _data.capacity .. reqlen) _data.arr ~= Unqual!T.init; } _data.arr = _data.arr[0 .. len]; _data.capacity = reqlen; } else { // Time to reallocate. // We need to almost duplicate what's in druntime, except we // have better access to the capacity field. auto newlen = appenderNewCapacity!(T.sizeof)(_data.capacity, reqlen); // first, try extending the current block if (_data.canExtend) { auto u = GC.extend(_data.arr.ptr, nelems * T.sizeof, (newlen - len) * T.sizeof); if (u) { // extend worked, update the capacity _data.capacity = u / T.sizeof; return; } } // didn't work, must reallocate auto bi = GC.qalloc(newlen * T.sizeof, blockAttribute!T); _data.capacity = bi.size / T.sizeof; import core.stdc.string : memcpy; if (len) memcpy(bi.base, _data.arr.ptr, len * T.sizeof); _data.arr = (cast(Unqual!T*)bi.base)[0 .. len]; _data.canExtend = true; // leave the old data, for safety reasons } } private template canPutItem(U) { enum bool canPutItem = isImplicitlyConvertible!(U, T) || isSomeChar!T && isSomeChar!U; } private template canPutConstRange(Range) { enum bool canPutConstRange = isInputRange!(Unqual!Range) && !isInputRange!Range; } private template canPutRange(Range) { enum bool canPutRange = isInputRange!Range && is(typeof(Appender.init.put(Range.init.front))); } /** * Appends one item to the managed array. */ void put(U)(U item) if (canPutItem!U) { static if (isSomeChar!T && isSomeChar!U && T.sizeof < U.sizeof) { /* may throwable operation: * - std.utf.encode */ // must do some transcoding around here import std.utf : encode; Unqual!T[T.sizeof == 1 ? 4 : 2] encoded; auto len = encode(encoded, item); put(encoded[0 .. len]); } else { import std.conv : emplaceRef; ensureAddable(1); immutable len = _data.arr.length; auto bigData = (() @trusted => _data.arr.ptr[0 .. len + 1])(); emplaceRef!(Unqual!T)(bigData[len], cast(Unqual!T)item); //We do this at the end, in case of exceptions _data.arr = bigData; } } // Const fixing hack. void put(Range)(Range items) if (canPutConstRange!Range) { alias p = put!(Unqual!Range); p(items); } /** * Appends an entire range to the managed array. */ void put(Range)(Range items) if (canPutRange!Range) { // note, we disable this branch for appending one type of char to // another because we can't trust the length portion. static if (!(isSomeChar!T && isSomeChar!(ElementType!Range) && !is(immutable Range == immutable T[])) && is(typeof(items.length) == size_t)) { // optimization -- if this type is something other than a string, // and we are adding exactly one element, call the version for one // element. static if (!isSomeChar!T) { if (items.length == 1) { put(items.front); return; } } // make sure we have enough space, then add the items @trusted auto bigDataFun(size_t extra) { ensureAddable(extra); return _data.arr.ptr[0 .. _data.arr.length + extra]; } auto bigData = bigDataFun(items.length); immutable len = _data.arr.length; immutable newlen = bigData.length; alias UT = Unqual!T; static if (is(typeof(_data.arr[] = items[])) && !hasElaborateAssign!(Unqual!T) && isAssignable!(UT, ElementEncodingType!Range)) { bigData[len .. newlen] = items[]; } else { import std.conv : emplaceRef; foreach (ref it ; bigData[len .. newlen]) { emplaceRef!T(it, items.front); items.popFront(); } } //We do this at the end, in case of exceptions _data.arr = bigData; } else { //pragma(msg, Range.stringof); // Generic input range for (; !items.empty; items.popFront()) { put(items.front); } } } /** * Appends one item to the managed array. */ void opOpAssign(string op : "~", U)(U item) if (canPutItem!U) { put(item); } // Const fixing hack. void opOpAssign(string op : "~", Range)(Range items) if (canPutConstRange!Range) { put(items); } /** * Appends an entire range to the managed array. */ void opOpAssign(string op : "~", Range)(Range items) if (canPutRange!Range) { put(items); } // only allow overwriting data on non-immutable and non-const data static if (isMutable!T) { /** * Clears the managed array. This allows the elements of the array to be reused * for appending. * * Note that clear is disabled for immutable or const element types, due to the * possibility that $(D Appender) might overwrite immutable data. */ void clear() @trusted pure nothrow { if (_data) { _data.arr = _data.arr.ptr[0 .. 0]; } } /** * Shrinks the managed array to the given length. * * Throws: $(D Exception) if newlength is greater than the current array length. */ void shrinkTo(size_t newlength) @trusted pure { import std.exception : enforce; if (_data) { enforce(newlength <= _data.arr.length, "Attempting to shrink Appender with newlength > length"); _data.arr = _data.arr.ptr[0 .. newlength]; } else enforce(newlength == 0, "Attempting to shrink empty Appender with non-zero newlength"); } } void toString()(scope void delegate(const(char)[]) sink) { import std.format : formattedWrite; sink.formattedWrite(typeof(this).stringof ~ "(%s)", data); } } /// unittest{ auto app = appender!string(); string b = "abcdefg"; foreach (char c; b) app.put(c); assert(app.data == "abcdefg"); int[] a = [ 1, 2 ]; auto app2 = appender(a); app2.put(3); app2.put([ 4, 5, 6 ]); assert(app2.data == [ 1, 2, 3, 4, 5, 6 ]); } unittest { import std.format : format; auto app = appender!(int[])(); app.put(1); app.put(2); app.put(3); assert("%s".format(app) == "Appender!(int[])(%s)".format([1,2,3])); } //Calculates an efficient growth scheme based on the old capacity //of data, and the minimum requested capacity. //arg curLen: The current length //arg reqLen: The length as requested by the user //ret sugLen: A suggested growth. private size_t appenderNewCapacity(size_t TSizeOf)(size_t curLen, size_t reqLen) @safe pure nothrow { import core.bitop : bsr; import std.algorithm : max; if (curLen == 0) return max(reqLen,8); ulong mult = 100 + (1000UL) / (bsr(curLen * TSizeOf) + 1); // limit to doubling the length, we don't want to grow too much if (mult > 200) mult = 200; auto sugLen = cast(size_t)((curLen * mult + 99) / 100); return max(reqLen, sugLen); } /** * An appender that can update an array in-place. It forwards all calls to an * underlying appender implementation. Any calls made to the appender also update * the pointer to the original array passed in. */ struct RefAppender(A) if (isDynamicArray!A) { private { alias T = ElementEncodingType!A; Appender!A impl; T[] *arr; } /** * Construct a ref appender with a given array reference. This does not copy the * data. If the array has a larger capacity as determined by arr.capacity, it * will be used by the appender. $(D RefAppender) assumes that arr is a non-null * value. * * Note, do not use builtin appending (i.e. ~=) on the original array passed in * until you are done with the appender, because calls to the appender override * those appends. */ this(T[] *arr) { impl = Appender!A(*arr); this.arr = arr; } auto opDispatch(string fn, Args...)(Args args) if (is(typeof(mixin("impl." ~ fn ~ "(args)")))) { // we do it this way because we can't cache a void return scope(exit) *this.arr = impl.data; mixin("return impl." ~ fn ~ "(args);"); } private alias AppenderType = Appender!A; /** * Appends one item to the managed array. */ void opOpAssign(string op : "~", U)(U item) if (AppenderType.canPutItem!U) { scope(exit) *this.arr = impl.data; impl.put(item); } // Const fixing hack. void opOpAssign(string op : "~", Range)(Range items) if (AppenderType.canPutConstRange!Range) { scope(exit) *this.arr = impl.data; impl.put(items); } /** * Appends an entire range to the managed array. */ void opOpAssign(string op : "~", Range)(Range items) if (AppenderType.canPutRange!Range) { scope(exit) *this.arr = impl.data; impl.put(items); } /** * Returns the capacity of the array (the maximum number of elements the * managed array can accommodate before triggering a reallocation). If any * appending will reallocate, $(D capacity) returns $(D 0). */ @property size_t capacity() const { return impl.capacity; } /** * Returns the managed array. */ @property inout(T)[] data() inout { return impl.data; } } /++ Convenience function that returns an $(D Appender!A) object initialized with $(D array). +/ Appender!A appender(A)() if (isDynamicArray!A) { return Appender!A(null); } /// ditto Appender!(E[]) appender(A : E[], E)(auto ref A array) { static assert (!isStaticArray!A || __traits(isRef, array), "Cannot create Appender from an rvalue static array"); return Appender!(E[])(array); } @safe pure nothrow unittest { import std.exception; { auto app = appender!(char[])(); string b = "abcdefg"; foreach (char c; b) app.put(c); assert(app.data == "abcdefg"); } { auto app = appender!(char[])(); string b = "abcdefg"; foreach (char c; b) app ~= c; assert(app.data == "abcdefg"); } { int[] a = [ 1, 2 ]; auto app2 = appender(a); assert(app2.data == [ 1, 2 ]); app2.put(3); app2.put([ 4, 5, 6 ][]); assert(app2.data == [ 1, 2, 3, 4, 5, 6 ]); app2.put([ 7 ]); assert(app2.data == [ 1, 2, 3, 4, 5, 6, 7 ]); } int[] a = [ 1, 2 ]; auto app2 = appender(a); assert(app2.data == [ 1, 2 ]); app2 ~= 3; app2 ~= [ 4, 5, 6 ][]; assert(app2.data == [ 1, 2, 3, 4, 5, 6 ]); app2 ~= [ 7 ]; assert(app2.data == [ 1, 2, 3, 4, 5, 6, 7 ]); app2.reserve(5); assert(app2.capacity >= 5); try // shrinkTo may throw { app2.shrinkTo(3); } catch (Exception) assert(0); assert(app2.data == [ 1, 2, 3 ]); assertThrown(app2.shrinkTo(5)); const app3 = app2; assert(app3.capacity >= 3); assert(app3.data == [1, 2, 3]); auto app4 = appender([]); try // shrinkTo may throw { app4.shrinkTo(0); } catch (Exception) assert(0); // Issue 5663 & 9725 tests foreach (S; AliasSeq!(char[], const(char)[], string)) { { Appender!S app5663i; assertNotThrown(app5663i.put("\xE3")); assert(app5663i.data == "\xE3"); Appender!S app5663c; assertNotThrown(app5663c.put(cast(const(char)[])"\xE3")); assert(app5663c.data == "\xE3"); Appender!S app5663m; assertNotThrown(app5663m.put("\xE3".dup)); assert(app5663m.data == "\xE3"); } // ditto for ~= { Appender!S app5663i; assertNotThrown(app5663i ~= "\xE3"); assert(app5663i.data == "\xE3"); Appender!S app5663c; assertNotThrown(app5663c ~= cast(const(char)[])"\xE3"); assert(app5663c.data == "\xE3"); Appender!S app5663m; assertNotThrown(app5663m ~= "\xE3".dup); assert(app5663m.data == "\xE3"); } } static struct S10122 { int val; @disable this(); this(int v) @safe pure nothrow { val = v; } } assertCTFEable!( { auto w = appender!(S10122[])(); w.put(S10122(1)); assert(w.data.length == 1 && w.data[0].val == 1); }); } @safe pure nothrow unittest { { auto w = appender!string(); w.reserve(4); cast(void)w.capacity; cast(void)w.data; try { wchar wc = 'a'; dchar dc = 'a'; w.put(wc); // decoding may throw w.put(dc); // decoding may throw } catch (Exception) assert(0); } { auto w = appender!(int[])(); w.reserve(4); cast(void)w.capacity; cast(void)w.data; w.put(10); w.put([10]); w.clear(); try { w.shrinkTo(0); } catch (Exception) assert(0); struct N { int payload; alias payload this; } w.put(N(1)); w.put([N(2)]); struct S(T) { @property bool empty() { return true; } @property T front() { return T.init; } void popFront() {} } S!int r; w.put(r); } } unittest { import std.typecons; import std.algorithm; //10690 [tuple(1)].filter!(t => true).array; // No error [tuple("A")].filter!(t => true).array; // error } unittest { import std.range; //Coverage for put(Range) struct S1 { } struct S2 { void opAssign(S2){} } auto a1 = Appender!(S1[])(); auto a2 = Appender!(S2[])(); auto au1 = Appender!(const(S1)[])(); auto au2 = Appender!(const(S2)[])(); a1.put(S1().repeat().take(10)); a2.put(S2().repeat().take(10)); auto sc1 = const(S1)(); auto sc2 = const(S2)(); au1.put(sc1.repeat().take(10)); au2.put(sc2.repeat().take(10)); } unittest { struct S { int* p; } auto a0 = Appender!(S[])(); auto a1 = Appender!(const(S)[])(); auto a2 = Appender!(immutable(S)[])(); auto s0 = S(null); auto s1 = const(S)(null); auto s2 = immutable(S)(null); a1.put(s0); a1.put(s1); a1.put(s2); a1.put([s0]); a1.put([s1]); a1.put([s2]); a0.put(s0); static assert(!is(typeof(a0.put(a1)))); static assert(!is(typeof(a0.put(a2)))); a0.put([s0]); static assert(!is(typeof(a0.put([a1])))); static assert(!is(typeof(a0.put([a2])))); static assert(!is(typeof(a2.put(a0)))); static assert(!is(typeof(a2.put(a1)))); a2.put(s2); static assert(!is(typeof(a2.put([a0])))); static assert(!is(typeof(a2.put([a1])))); a2.put([s2]); } unittest { //9528 const(E)[] fastCopy(E)(E[] src) { auto app = appender!(const(E)[])(); foreach (i, e; src) app.put(e); return app.data; } class C {} struct S { const(C) c; } S[] s = [ S(new C) ]; auto t = fastCopy(s); // Does not compile } unittest { import std.algorithm : map; //10753 struct Foo { immutable dchar d; } struct Bar { immutable int x; } "12".map!Foo.array; [1, 2].map!Bar.array; } unittest { //New appender signature tests alias mutARR = int[]; alias conARR = const(int)[]; alias immARR = immutable(int)[]; mutARR mut; conARR con; immARR imm; {auto app = Appender!mutARR(mut);} //Always worked. Should work. Should not create a warning. static assert(!is(typeof(Appender!mutARR(con)))); //Never worked. Should not work. static assert(!is(typeof(Appender!mutARR(imm)))); //Never worked. Should not work. {auto app = Appender!conARR(mut);} //Always worked. Should work. Should not create a warning. {auto app = Appender!conARR(con);} //Didn't work. Now works. Should not create a warning. {auto app = Appender!conARR(imm);} //Didn't work. Now works. Should not create a warning. //{auto app = Appender!immARR(mut);} //Worked. Will cease to work. Creates warning. //static assert(!is(typeof(Appender!immARR(mut)))); //Worked. Will cease to work. Uncomment me after full deprecation. static assert(!is(typeof(Appender!immARR(con)))); //Never worked. Should not work. {auto app = Appender!immARR(imm);} //Didn't work. Now works. Should not create a warning. //Deprecated. Please uncomment and make sure this doesn't work: //char[] cc; //static assert(!is(typeof(Appender!string(cc)))); //This should always work: {auto app = appender!string(null);} {auto app = appender!(const(char)[])(null);} {auto app = appender!(char[])(null);} } unittest //Test large allocations (for GC.extend) { import std.range; import std.algorithm : equal; Appender!(char[]) app; app.reserve(1); //cover reserve on non-initialized foreach (_; 0 .. 100_000) app.put('a'); assert(equal(app.data, 'a'.repeat(100_000))); } unittest { auto reference = new ubyte[](2048 + 1); //a number big enough to have a full page (EG: the GC extends) auto arr = reference.dup; auto app = appender(arr[0 .. 0]); app.reserve(1); //This should not trigger a call to extend app.put(ubyte(1)); //Don't clobber arr assert(reference[] == arr[]); } unittest // clear method is supported only for mutable element types { Appender!string app; static assert(!__traits(compiles, app.clear())); } unittest { static struct D//dynamic { int[] i; alias i this; } static struct S//static { int[5] i; alias i this; } static assert(!is(Appender!(char[5]))); static assert(!is(Appender!D)); static assert(!is(Appender!S)); enum int[5] a = []; int[5] b; D d; S s; int[5] foo(){return a;} static assert(!is(typeof(appender(a)))); static assert( is(typeof(appender(b)))); static assert( is(typeof(appender(d)))); static assert( is(typeof(appender(s)))); static assert(!is(typeof(appender(foo())))); } unittest { // Issue 13077 static class A {} // reduced case auto w = appender!(shared(A)[])(); w.put(new shared A()); // original case import std.range; InputRange!(shared A) foo() { return [new shared A].inputRangeObject; } auto res = foo.array; } /++ Convenience function that returns a $(D RefAppender!A) object initialized with $(D array). Don't use null for the $(D array) pointer, use the other version of $(D appender) instead. +/ RefAppender!(E[]) appender(A : E[]*, E)(A array) { return RefAppender!(E[])(array); } unittest { import std.exception; { auto arr = new char[0]; auto app = appender(&arr); string b = "abcdefg"; foreach (char c; b) app.put(c); assert(app.data == "abcdefg"); assert(arr == "abcdefg"); } { auto arr = new char[0]; auto app = appender(&arr); string b = "abcdefg"; foreach (char c; b) app ~= c; assert(app.data == "abcdefg"); assert(arr == "abcdefg"); } { int[] a = [ 1, 2 ]; auto app2 = appender(&a); assert(app2.data == [ 1, 2 ]); assert(a == [ 1, 2 ]); app2.put(3); app2.put([ 4, 5, 6 ][]); assert(app2.data == [ 1, 2, 3, 4, 5, 6 ]); assert(a == [ 1, 2, 3, 4, 5, 6 ]); } int[] a = [ 1, 2 ]; auto app2 = appender(&a); assert(app2.data == [ 1, 2 ]); assert(a == [ 1, 2 ]); app2 ~= 3; app2 ~= [ 4, 5, 6 ][]; assert(app2.data == [ 1, 2, 3, 4, 5, 6 ]); assert(a == [ 1, 2, 3, 4, 5, 6 ]); app2.reserve(5); assert(app2.capacity >= 5); try // shrinkTo may throw { app2.shrinkTo(3); } catch (Exception) assert(0); assert(app2.data == [ 1, 2, 3 ]); assertThrown(app2.shrinkTo(5)); const app3 = app2; assert(app3.capacity >= 3); assert(app3.data == [1, 2, 3]); } unittest // issue 14605 { static assert(isOutputRange!(Appender!(int[]), int)); static assert(isOutputRange!(RefAppender!(int[]), int)); } unittest { Appender!(int[]) app; short[] range = [1, 2, 3]; app.put(range); assert(app.data == [1, 2, 3]); } unittest { string s = "hello".idup; char[] a = "hello".dup; auto appS = appender(s); auto appA = appender(a); put(appS, 'w'); put(appA, 'w'); s ~= 'a'; //Clobbers here? a ~= 'a'; //Clobbers here? assert(appS.data == "hellow"); assert(appA.data == "hellow"); }
D
/******************************************************************************* Struct template which wraps a void[] with an API allowing it to be safely used as an array of another type. It is, of course, possible to simply cast a void[] to another type of array and use it directly. However, care must be taken when casting to an array type with a different element size. Experience has shown that this is likely to hit undefined behaviour. For example, casting the array then sizing it has been observed to cause segfaults, e.g.: --- void[]* void_array; // acquired from somewhere struct S { int i; hash_t h; } auto s_array = cast(S[]*)void_array; s_array.length = 23; --- The exact reason for the segfaults is not known, but this usage appears to lead to corruption of internal GC data (possibly type metadata associated with the array's pointer). Sizing the array first, then casting is fine, e.g.: --- void[]* void_array; // acquired from somewhere struct S { int i; hash_t h; } (*void_array).length = 23 * S.sizeof; auto s_array = cast(S[])*void_array; --- The helper VoidBufferAsArrayOf simplifies this procedure and removes the risk of undefined behaviour by always handling the void[] as a void[] internally. Copyright: Copyright (c) 2017 dunnhumby Germany GmbH. All rights reserved License: Boost Software License Version 1.0. See LICENSE.txt for details. *******************************************************************************/ module swarm.neo.util.VoidBufferAsArrayOf; import ocean.transition; /******************************************************************************* Struct template which wraps a void[] with an API allowing it to be safely used as an array of another type. Params: T = element type of array which the API mimics *******************************************************************************/ public struct VoidBufferAsArrayOf ( T ) { // T == void is not only pointless but is also invalid: it's illegal to pass // a void argument to a function (e.g. opCatAssign). static assert(!is(T == void)); /// Pointer to the unerlying void buffer. Must be set before use by struct /// construction. private void[]* buffer; // The length of the buffer must always be an even multiple of T.sizeof. invariant ( ) { assert(this.buffer.length % T.sizeof == 0); } /*************************************************************************** Returns: a slice of this array ***************************************************************************/ public T[] array ( ) { return cast(T[])(*this.buffer); } /*************************************************************************** Returns: the number of T elements in the array ***************************************************************************/ public size_t length ( ) { return this.buffer.length / T.sizeof; } /*************************************************************************** Sets the length of the array. Params: len = new length of the array, in terms of the number of T elements ***************************************************************************/ public void length ( size_t len ) { this.buffer.length = len * T.sizeof; enableStomping(*this.buffer); } /*************************************************************************** Appends an array of elements. Note that mutable copies of appended elements are made internally, but to access them from the outside, the constness of T applies. but are inaccessible from the outside. Params: arr = elements to append Returns: a slice of this array, now with the specified elements appended ***************************************************************************/ public T[] opCatAssign ( in T[] arr ) { return cast(T[])((*this.buffer) ~= cast(void[])arr); } /*************************************************************************** Appends an element. Note that a mutable copy of the appended element is made internally, but to access it from the outside, the constness of T applies. Params: element = element to append Returns: a slice of this array, now with the specified element appended ***************************************************************************/ public T[] opCatAssign ( in T element ) { return this.opCatAssign((&element)[0 .. 1]); } } /// unittest { // Backing array. void[] backing; // Wrap the backing array for use as an S[]. struct S { ubyte b; hash_t h; } auto s_array = VoidBufferAsArrayOf!(S)(&backing); // Append some elements. s_array ~= S(); s_array ~= [S(), S(), S()]; // Resize the array. s_array.length = 2; // Iterate over the elements. foreach ( e; s_array.array() ) { } } version ( UnitTest ) { import ocean.core.Test; align ( 1 ) struct S { ubyte b; hash_t h; } } unittest { void[] backing; auto s_array = VoidBufferAsArrayOf!(S)(&backing); test!("==")(s_array.length, 0); test!("==")(s_array.buffer.length, 0); s_array ~= S(0, 0); test!("==")(s_array.array(), [S(0, 0)]); test(s_array.length == 1); test(s_array.buffer.length == S.sizeof); s_array ~= [S(1, 1), S(2, 2), S(3, 3)]; test!("==")(s_array.array(), [S(0, 0), S(1, 1), S(2, 2), S(3, 3)]); test(s_array.length == 4); test(s_array.buffer.length == S.sizeof * 4); s_array.length = 2; test!("==")(s_array.array(), [S(0, 0), S(1, 1)]); test(s_array.length == 2); test(s_array.buffer.length == S.sizeof * 2); }
D
import hunt.http.client; import hunt.http.server; import hunt.trace.Tracer; import hunt.logging.ConsoleLogger; import hunt.util.DateTime; import std.conv; import std.format; import std.json; import std.range; import std.stdio; /** "versions": [ "HUNT_DEBUG", "HUNT_HTTP_DEBUG", "HUNT_NET_DEBUG" ], */ void main(string[] args) { version(WITH_HUNT_TRACE) { HttpServer server = buildOpenTracingServer(); } else { // HttpServer server = buildSimpleServer(); // HttpServer server = buildServerDefaultRoute(); // HttpServer server = buildServerWithForm(); // HttpServer server = buildServerWithTLS(); // HttpServer server = buildServerWithUpload(); HttpServer server = buildServerWithWebSocket(); // HttpServer server = buildServerWithSessionStore(); } server.onOpened(() { if(server.isTLS()) writefln("listening on https://%s:%d", server.getHost, server.getPort); else writefln("listening on http://%s:%d", server.getHost, server.getPort); }) .onOpenFailed((e) { writefln("Failed to open a HttpServer, the reason: %s", e.msg); }) .start(); } HttpServer buildSimpleServer() { HttpServer server = HttpServer.builder() // .setTLS("cert/server.crt", "cert/server.key", "hunt2018", "hunt2018") .setListener(8080, "0.0.0.0") .setHandler((RoutingContext context) { context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_HTML_VALUE); context.write(DateTime.getTimeAsGMT()); context.write("<br>Hello World!<br>"); context.end(); }) .onError((HttpServerContext context) { HttpServerResponse res = context.httpResponse(); assert(res !is null); version(HUNT_DEBUG) warningf("badMessage: status=%d reason=%s", res.getStatus(), res.getReason()); }) .build(); return server; } HttpServer buildServerDefaultRoute() { HttpServer server = HttpServer.builder() // .setTLS("cert/server.crt", "cert/server.key") .setListener(8080, "0.0.0.0") .addRoute("/plain*", (RoutingContext context) { context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_PLAIN_VALUE); context.end("Hello World! " ~ DateTime.getTimeAsGMT()); }) .addRoute("/post", HttpMethod.POST, (RoutingContext context) { HttpServerRequest request = context.getRequest(); string content = request.getStringBody(); context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_HTML_VALUE); context.end("Post: " ~ content ~ "<br><br>" ~ DateTime.getTimeAsGMT()); }) .resource("/files", "/home") .setDefaultRequest((RoutingContext ctx) { string content = "The resource " ~ ctx.getURI().getPath() ~ " is not found"; string title = "404 - Not Found"; ctx.responseHeader(HttpHeader.CONTENT_TYPE, "text/html"); ctx.write("<!DOCTYPE html>") .write("<html>") .write("<head>") .write("<title>") .write(title) .write("</title>") .write("</head>") .write("<body>") .write("<h1> " ~ title ~ " </h1>") .write("<p>" ~ content ~ "</p>") .write("</body>") .end("</html>"); }) .build(); return server; } HttpServer buildServerWithMultiRoutes() { HttpServer server = HttpServer.builder() // .setTLS("cert/server.crt", "cert/server.key", "hunt2018", "hunt2018") .setListener(8080, "0.0.0.0") .addRoute("/plain*", (RoutingContext context) { context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_PLAIN_VALUE); context.end("Hello World! " ~ DateTime.getTimeAsGMT()); }) .addRoute("/post", HttpMethod.POST, (RoutingContext context) { HttpServerRequest request = context.getRequest(); string content = request.getStringBody(); warning(content); context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_PLAIN_VALUE); context.end("Post: " ~ content ~ ", " ~ DateTime.getTimeAsGMT()); }) .setHandler((RoutingContext context) { context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_HTML_VALUE); context.write(DateTime.getTimeAsGMT()); context.write("<br>Hello World!<br>"); context.end(); }) .build(); return server; } HttpServer buildServerWithTLS() { HttpServer server = HttpServer.builder() // .setCaCert("cert/ca.crt", "hunt2019") .setTLS("cert/server.crt", "cert/server.key", "hunt2018", "hunt2018") // .requiresClientAuth() .setListener(8080, "0.0.0.0") .addRoute("/plain*", (RoutingContext context) { context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_PLAIN_VALUE); context.end("Hello World! " ~ DateTime.getTimeAsGMT()); }) .addRoute("/post", HttpMethod.POST, (RoutingContext context) { HttpServerRequest request = context.getRequest(); string content = request.getStringBody(); warning(content); context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_PLAIN_VALUE); context.end("Post: " ~ content ~ ", " ~ DateTime.getTimeAsGMT()); }) .setHandler((RoutingContext context) { context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_HTML_VALUE); context.write(DateTime.getTimeAsGMT()); context.write("<br>Hello World!<br>"); context.end(); }) .build(); return server; } HttpServer buildServerWithUpload() { // http://10.1.223.62:8080/post?returnUrl=%2flogin // HttpServer server = HttpServer.builder() // .setTLS("cert/server.crt", "cert/server.key", "hunt2018", "hunt2018") .setListener(8080, "0.0.0.0") .workerThreadSize(8) .addRoute("/plain*", (RoutingContext context) { context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_PLAIN_VALUE); context.end("Hello World! " ~ DateTime.getTimeAsGMT()); }) .addRoute("/upload/string", HttpMethod.POST, (RoutingContext context) { HttpServerRequest request = context.getRequest(); string content; content = request.getStringBody(); string mimeType = request.getMimeType(); warning("mimeType: ", mimeType); if(mimeType == "multipart/form-data") { try { // trace(content); // tracef("%(%02X %)", cast(byte[])content); Part[] parts = request.getParts(); foreach (Part part; parts) { // MultipartForm multipart = cast(MultipartForm) part; Part multipart = part; warningf("File: key=%s, fileName=%s, actualFile=%s, ContentType=%s, content=%s", multipart.getName(), multipart.getSubmittedFileName(), multipart.getFile(), multipart.getContentType(), cast(string) multipart.getBytes()); } } catch (Exception e) { warning("get multi part exception: ", e.msg); version(HUNT_HTTP_DEBUG) warning(e); } } else if(mimeType == "application/x-www-form-urlencoded") { // string content = request.getStringBody(); content = request.getParameterMap().toString(); } context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_HTML_VALUE); context.end("multipart data received.<br><br>" ~ DateTime.getTimeAsGMT()); }) .addRoute("/upload/file", HttpMethod.POST, (RoutingContext context) { HttpServerRequest request = context.getRequest(); // string content = request.getStringBody(); string mimeType = request.getMimeType(); warning("mimeType: ", mimeType); // info(content); if(mimeType == "multipart/form-data") { Part[] parts = request.getParts(); context.write("File uploaded!<br>\n"); foreach (Part part; request.getParts()) { // MultipartForm multipart = cast(MultipartForm) part; string str = format("%s<br>\n", part.toString()); context.write(str); string fileName = part.getSubmittedFileName(); warningf("File: key=%s, fileName=%s, actualFile=%s, ContentType=%s, content-length: %s", part.getName(), fileName, part.getFile(), part.getContentType(), part.getSize()); part.flush(); // Save the content to a temp file // Write to a specified file. if(!fileName.empty()) { // It's a file part, so will be saved. string savedFile = "file-" ~ DateTime.currentTimeMillis.to!string() ~ "-" ~ fileName; warning("File saved to: ", savedFile); part.writeTo(savedFile); str = format("savedFile: %s<br><br>\n", savedFile); context.write(str); } } context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_HTML_VALUE); context.end(DateTime.getTimeAsGMT()); } else { string content = request.getStringBody(); content = request.getParameterMap().toString(); context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_HTML_VALUE); context.end("wrong data format: " ~ mimeType ~ ", " ~ DateTime.getTimeAsGMT()); } }) // .maxRequestSize(256) // test maxRequestSize .build(); return server; } HttpServer buildServerWithWebSocket() { // ws://10.1.223.62:8080/ws1 HttpServer server = HttpServer.builder() // .setTLS("cert/server.crt", "cert/server.key", "hunt2018", "hunt2018") .setListener(8080, "0.0.0.0") .workerThreadSize(8) .websocket("/", new class AbstractWebSocketMessageHandler { override void onOpen(WebSocketConnection connection) { connection.sendText("Resonse from / at " ~ DateTime.getTimeAsGMT()); connection.sendText("Avaliable WebSocket endpoints: /, /ws1, /ws2."); } override void onText(WebSocketConnection connection, string text) { tracef("received (from %s): %s", connection.getRemoteAddress(), text); connection.sendText("received at " ~ DateTime.getTimeAsGMT() ~ " : " ~ text); } }) .addRoute("/plain*", (RoutingContext context) { context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_PLAIN_VALUE); context.end("Hello World! " ~ DateTime.getTimeAsGMT()); }) .addRoute("/post", HttpMethod.POST, (RoutingContext context) { HttpServerRequest request = context.getRequest(); string content = request.getStringBody(); context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_HTML_VALUE); context.end("Post: " ~ content ~ "<br><br>" ~ DateTime.getTimeAsGMT()); }) .websocket("/ws1", new class AbstractWebSocketMessageHandler { override void onOpen(WebSocketConnection connection) { connection.sendText("Resonse from /ws1 at " ~ DateTime.getTimeAsGMT()); } override void onText(WebSocketConnection connection, string text) { tracef("received (from %s): %s", connection.getRemoteAddress(), text); connection.sendText("received at " ~ DateTime.getTimeAsGMT() ~ " : " ~ text); } }) .websocket("/ws2", new class AbstractWebSocketMessageHandler { override void onOpen(WebSocketConnection connection) { connection.sendText("Resonse from /ws2 at " ~ DateTime.getTimeAsGMT()); } override void onText(WebSocketConnection connection, string text) { tracef("received (from %s): %s", connection.getRemoteAddress(), text); connection.sendText("received at " ~ DateTime.getTimeAsGMT() ~ " : " ~ text); } }) .build(); return server; } HttpServer buildServerWithSessionStore() { // HttpServer server = HttpServer.builder() // .setTLS("cert/server.crt", "cert/server.key", "hunt2018", "hunt2018") .setListener(8080, "0.0.0.0") .enableLocalSessionStore() .addRoute("/plain*", (RoutingContext context) { context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_PLAIN_VALUE); context.end("Hello World! " ~ DateTime.getTimeAsGMT()); }) .onPost("/session/:name", (RoutingContext context) { HttpServerRequest request = context.getRequest(); string name = context.getRouterParameter("name"); trace("the path param -> " ~ name); string age = context.getParameter("age"); warning("age: ", age); HttpSession session = context.getSession(true); tracef("new session: %s", session.isNewSession()); session.setAttribute(name, "bar"); session.setAttribute("age", age); // 10 seconds later, the session will expire session.setMaxInactiveInterval(10); context.updateSession(session); context.end("Session created. Expired in 10 seconds."); }) .onGet("/session/:name", (RoutingContext ctx) { string name = ctx.getRouterParameter("name"); HttpSession session = ctx.getSession(); ctx.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_HTML_VALUE); if (session !is null) { ctx.write("session value is " ~ session.getAttribute!string(name)); ctx.end("<br>session age is " ~ session.getAttribute("age")); } else { ctx.end("session is invalid"); } }) .build(); return server; } version(WITH_HUNT_TRACE) { HttpServer buildOpenTracingServer() { import hunt.trace.HttpSender; string endpoint = "http://10.1.222.110:9411/api/v2/spans"; httpSender().endpoint(endpoint); HttpServer server = HttpServer.builder() .setListener(8080, "0.0.0.0") .localServiceName("HttpServerDemo") .isB3HeaderRequired(false) .setHandler((RoutingContext context) { context.responseHeader(HttpHeader.CONTENT_TYPE, MimeType.TEXT_HTML_VALUE); context.write(DateTime.getTimeAsGMT()); string url = "http://10.1.222.110/index.html"; HttpClient client = new HttpClient(); RequestBuilder requestBuilder = new RequestBuilder() .url(url) .localServiceName("HttpServerDemo"); HttpServerRequest serverRequest = context.getRequest(); Tracer tracer = serverRequest.tracer; if(tracer !is null) requestBuilder.withTracer(tracer); Request request = requestBuilder.build(); Response response = client.newCall(request).execute(); if (response !is null) { warningf("status code: %d", response.getStatus()); } else { warning("no response"); } context.write("<br>Hello World!<br>"); context.end(); }) .onError((HttpServerContext context) { HttpServerResponse res = context.httpResponse(); assert(res !is null); version(HUNT_DEBUG) warningf("badMessage: status=%d reason=%s", res.getStatus(), res.getReason()); }) .build(); return server; } }
D
producing no result or effect
D
/Users/petercernak/vapor/TILApp/Build/Intermediates.noindex/TILApp.build/Debug/Service.build/Objects-normal/x86_64/Environment.o : /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceID.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/Deprecated.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/Service.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceCache.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/Extendable.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceType.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Config/Config.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Provider/Provider.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/Container.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/SubContainer.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/BasicSubContainer.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/BasicContainer.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/ServiceError.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/ContainerAlias.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/Services.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Environment/Environment.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceFactory.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/BasicServiceFactory.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/TypeServiceFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/cpp_magic.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIODarwin/include/c_nio_darwin.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/c-atomics.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOLinux/include/c_nio_linux.h /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--6538424668019974428/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/petercernak/vapor/TILApp/Build/Intermediates.noindex/TILApp.build/Debug/Service.build/Objects-normal/x86_64/Environment~partial.swiftmodule : /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceID.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/Deprecated.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/Service.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceCache.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/Extendable.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceType.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Config/Config.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Provider/Provider.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/Container.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/SubContainer.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/BasicSubContainer.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/BasicContainer.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/ServiceError.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/ContainerAlias.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/Services.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Environment/Environment.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceFactory.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/BasicServiceFactory.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/TypeServiceFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/cpp_magic.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIODarwin/include/c_nio_darwin.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/c-atomics.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOLinux/include/c_nio_linux.h /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--6538424668019974428/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/petercernak/vapor/TILApp/Build/Intermediates.noindex/TILApp.build/Debug/Service.build/Objects-normal/x86_64/Environment~partial.swiftdoc : /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceID.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/Deprecated.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/Service.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceCache.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/Extendable.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceType.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Config/Config.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Provider/Provider.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/Container.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/SubContainer.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/BasicSubContainer.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/BasicContainer.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/ServiceError.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Container/ContainerAlias.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/Services.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Utilities/Exports.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Environment/Environment.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/ServiceFactory.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/BasicServiceFactory.swift /Users/petercernak/vapor/TILApp/.build/checkouts/service.git-4489542127361579605/Sources/Service/Services/TypeServiceFactory.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/petercernak/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/cpp_magic.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIODarwin/include/c_nio_darwin.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOAtomics/include/c-atomics.h /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio.git--2128188973977302459/Sources/CNIOLinux/include/c_nio_linux.h /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOSHA1/module.modulemap /Users/petercernak/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--6538424668019974428/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIODarwin/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOAtomics/module.modulemap /Users/petercernak/vapor/TILApp/TILApp.xcodeproj/GeneratedModuleMap/CNIOLinux/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/** * Defines declarations of various attributes. * * The term 'attribute' refers to things that can apply to a larger scope than a single declaration. * Among them are: * - Alignment (`align(8)`) * - User defined attributes (`@UDA`) * - Function Attributes (`@safe`) * - Storage classes (`static`, `__gshared`) * - Mixin declarations (`mixin("int x;")`) * - Conditional compilation (`static if`, `static foreach`) * - Linkage (`extern(C)`) * - Anonymous structs / unions * - Protection (`private`, `public`) * - Deprecated declarations (`@deprecated`) * * Copyright: Copyright (C) 1999-2021 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/attrib.d, _attrib.d) * Documentation: https://dlang.org/phobos/dmd_attrib.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/attrib.d */ module dmd.attrib; import dmd.aggregate; import dmd.arraytypes; import dmd.astenums; import dmd.cond; import dmd.declaration; import dmd.dmodule; import dmd.dscope; import dmd.dsymbol; import dmd.dsymbolsem : dsymbolSemantic; import dmd.expression; import dmd.expressionsem; import dmd.func; import dmd.globals; import dmd.hdrgen : visibilityToBuffer; import dmd.id; import dmd.identifier; import dmd.mtype; import dmd.objc; // for objc.addSymbols import dmd.root.outbuffer; import dmd.target; // for target.systemLinkage import dmd.tokens; import dmd.visitor; /*********************************************************** * Abstract attribute applied to Dsymbol's used as a common * ancestor for storage classes (StorageClassDeclaration), * linkage (LinkageDeclaration) and others. */ extern (C++) abstract class AttribDeclaration : Dsymbol { Dsymbols* decl; /// Dsymbol's affected by this AttribDeclaration extern (D) this(Dsymbols* decl) { this.decl = decl; } extern (D) this(const ref Loc loc, Identifier ident, Dsymbols* decl) { super(loc, ident); this.decl = decl; } Dsymbols* include(Scope* sc) { if (errors) return null; return decl; } /**************************************** * Create a new scope if one or more given attributes * are different from the sc's. * If the returned scope != sc, the caller should pop * the scope after it used. */ extern (D) static Scope* createNewScope(Scope* sc, StorageClass stc, LINK linkage, CPPMANGLE cppmangle, Visibility visibility, int explicitVisibility, AlignDeclaration aligndecl, PragmaDeclaration inlining) { Scope* sc2 = sc; if (stc != sc.stc || linkage != sc.linkage || cppmangle != sc.cppmangle || explicitVisibility != sc.explicitVisibility || visibility != sc.visibility || aligndecl !is sc.aligndecl || inlining != sc.inlining) { // create new one for changes sc2 = sc.copy(); sc2.stc = stc; sc2.linkage = linkage; sc2.cppmangle = cppmangle; sc2.visibility = visibility; sc2.explicitVisibility = explicitVisibility; sc2.aligndecl = aligndecl; sc2.inlining = inlining; } return sc2; } /**************************************** * A hook point to supply scope for members. * addMember, setScope, importAll, semantic, semantic2 and semantic3 will use this. */ Scope* newScope(Scope* sc) { return sc; } override void addMember(Scope* sc, ScopeDsymbol sds) { Dsymbols* d = include(sc); if (d) { Scope* sc2 = newScope(sc); d.foreachDsymbol( s => s.addMember(sc2, sds) ); if (sc2 != sc) sc2.pop(); } } override void setScope(Scope* sc) { Dsymbols* d = include(sc); //printf("\tAttribDeclaration::setScope '%s', d = %p\n",toChars(), d); if (d) { Scope* sc2 = newScope(sc); d.foreachDsymbol( s => s.setScope(sc2) ); if (sc2 != sc) sc2.pop(); } } override void importAll(Scope* sc) { Dsymbols* d = include(sc); //printf("\tAttribDeclaration::importAll '%s', d = %p\n", toChars(), d); if (d) { Scope* sc2 = newScope(sc); d.foreachDsymbol( s => s.importAll(sc2) ); if (sc2 != sc) sc2.pop(); } } override void addComment(const(char)* comment) { //printf("AttribDeclaration::addComment %s\n", comment); if (comment) { include(null).foreachDsymbol( s => s.addComment(comment) ); } } override const(char)* kind() const { return "attribute"; } override bool oneMember(Dsymbol* ps, Identifier ident) { Dsymbols* d = include(null); return Dsymbol.oneMembers(d, ps, ident); } override void setFieldOffset(AggregateDeclaration ad, ref FieldState fieldState, bool isunion) { include(null).foreachDsymbol( s => s.setFieldOffset(ad, fieldState, isunion) ); } override final bool hasPointers() { return include(null).foreachDsymbol( (s) { return s.hasPointers(); } ) != 0; } override final bool hasStaticCtorOrDtor() { return include(null).foreachDsymbol( (s) { return s.hasStaticCtorOrDtor(); } ) != 0; } override final void checkCtorConstInit() { include(null).foreachDsymbol( s => s.checkCtorConstInit() ); } /**************************************** */ override final void addLocalClass(ClassDeclarations* aclasses) { include(null).foreachDsymbol( s => s.addLocalClass(aclasses) ); } override final void addObjcSymbols(ClassDeclarations* classes, ClassDeclarations* categories) { objc.addSymbols(this, classes, categories); } override final inout(AttribDeclaration) isAttribDeclaration() inout pure @safe { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Storage classes applied to Dsymbols, e.g. `const int i;` * * <stc> <decl...> */ extern (C++) class StorageClassDeclaration : AttribDeclaration { StorageClass stc; extern (D) this(StorageClass stc, Dsymbols* decl) { super(decl); this.stc = stc; } override StorageClassDeclaration syntaxCopy(Dsymbol s) { assert(!s); return new StorageClassDeclaration(stc, Dsymbol.arraySyntaxCopy(decl)); } override Scope* newScope(Scope* sc) { StorageClass scstc = sc.stc; /* These sets of storage classes are mutually exclusive, * so choose the innermost or most recent one. */ if (stc & (STC.auto_ | STC.scope_ | STC.static_ | STC.extern_ | STC.manifest)) scstc &= ~(STC.auto_ | STC.scope_ | STC.static_ | STC.extern_ | STC.manifest); if (stc & (STC.auto_ | STC.scope_ | STC.static_ | STC.tls | STC.manifest | STC.gshared)) scstc &= ~(STC.auto_ | STC.scope_ | STC.static_ | STC.tls | STC.manifest | STC.gshared); if (stc & (STC.const_ | STC.immutable_ | STC.manifest)) scstc &= ~(STC.const_ | STC.immutable_ | STC.manifest); if (stc & (STC.gshared | STC.shared_ | STC.tls)) scstc &= ~(STC.gshared | STC.shared_ | STC.tls); if (stc & (STC.safe | STC.trusted | STC.system)) scstc &= ~(STC.safe | STC.trusted | STC.system); scstc |= stc; //printf("scstc = x%llx\n", scstc); return createNewScope(sc, scstc, sc.linkage, sc.cppmangle, sc.visibility, sc.explicitVisibility, sc.aligndecl, sc.inlining); } override final bool oneMember(Dsymbol* ps, Identifier ident) { bool t = Dsymbol.oneMembers(decl, ps, ident); if (t && *ps) { /* This is to deal with the following case: * struct Tick { * template to(T) { const T to() { ... } } * } * For eponymous function templates, the 'const' needs to get attached to 'to' * before the semantic analysis of 'to', so that template overloading based on the * 'this' pointer can be successful. */ FuncDeclaration fd = (*ps).isFuncDeclaration(); if (fd) { /* Use storage_class2 instead of storage_class otherwise when we do .di generation * we'll wind up with 'const const' rather than 'const'. */ /* Don't think we need to worry about mutually exclusive storage classes here */ fd.storage_class2 |= stc; } } return t; } override void addMember(Scope* sc, ScopeDsymbol sds) { Dsymbols* d = include(sc); if (d) { Scope* sc2 = newScope(sc); d.foreachDsymbol( (s) { //printf("\taddMember %s to %s\n", s.toChars(), sds.toChars()); // STC.local needs to be attached before the member is added to the scope (because it influences the parent symbol) if (auto decl = s.isDeclaration()) { decl.storage_class |= stc & STC.local; if (auto sdecl = s.isStorageClassDeclaration()) // TODO: why is this not enough to deal with the nested case? { sdecl.stc |= stc & STC.local; } } s.addMember(sc2, sds); }); if (sc2 != sc) sc2.pop(); } } override inout(StorageClassDeclaration) isStorageClassDeclaration() inout { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Deprecation with an additional message applied to Dsymbols, * e.g. `deprecated("Superseeded by foo") int bar;`. * (Note that `deprecated int bar;` is currently represented as a * StorageClassDeclaration with STC.deprecated_) * * `deprecated(<msg>) <decl...>` */ extern (C++) final class DeprecatedDeclaration : StorageClassDeclaration { Expression msg; /// deprecation message const(char)* msgstr; /// cached string representation of msg extern (D) this(Expression msg, Dsymbols* decl) { super(STC.deprecated_, decl); this.msg = msg; } override DeprecatedDeclaration syntaxCopy(Dsymbol s) { assert(!s); return new DeprecatedDeclaration(msg.syntaxCopy(), Dsymbol.arraySyntaxCopy(decl)); } /** * Provides a new scope with `STC.deprecated_` and `Scope.depdecl` set * * Calls `StorageClassDeclaration.newScope` (as it must be called or copied * in any function overriding `newScope`), then set the `Scope`'s depdecl. * * Returns: * Always a new scope, to use for this `DeprecatedDeclaration`'s members. */ override Scope* newScope(Scope* sc) { auto scx = super.newScope(sc); // The enclosing scope is deprecated as well if (scx == sc) scx = sc.push(); scx.depdecl = this; return scx; } override void setScope(Scope* sc) { //printf("DeprecatedDeclaration::setScope() %p\n", this); if (decl) Dsymbol.setScope(sc); // for forward reference return AttribDeclaration.setScope(sc); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Linkage attribute applied to Dsymbols, e.g. * `extern(C) void foo()`. * * `extern(<linkage>) <decl...>` */ extern (C++) final class LinkDeclaration : AttribDeclaration { LINK linkage; /// either explicitly set or `default_` extern (D) this(const ref Loc loc, LINK linkage, Dsymbols* decl) { super(loc, null, decl); //printf("LinkDeclaration(linkage = %d, decl = %p)\n", linkage, decl); this.linkage = (linkage == LINK.system) ? target.systemLinkage() : linkage; } static LinkDeclaration create(const ref Loc loc, LINK p, Dsymbols* decl) { return new LinkDeclaration(loc, p, decl); } override LinkDeclaration syntaxCopy(Dsymbol s) { assert(!s); return new LinkDeclaration(loc, linkage, Dsymbol.arraySyntaxCopy(decl)); } override Scope* newScope(Scope* sc) { return createNewScope(sc, sc.stc, this.linkage, sc.cppmangle, sc.visibility, sc.explicitVisibility, sc.aligndecl, sc.inlining); } override const(char)* toChars() const { return toString().ptr; } extern(D) override const(char)[] toString() const { return "extern ()"; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Attribute declaring whether an external aggregate should be mangled as * a struct or class in C++, e.g. `extern(C++, struct) class C { ... }`. * This is required for correct name mangling on MSVC targets, * see cppmanglewin.d for details. * * `extern(C++, <cppmangle>) <decl...>` */ extern (C++) final class CPPMangleDeclaration : AttribDeclaration { CPPMANGLE cppmangle; extern (D) this(const ref Loc loc, CPPMANGLE cppmangle, Dsymbols* decl) { super(loc, null, decl); //printf("CPPMangleDeclaration(cppmangle = %d, decl = %p)\n", cppmangle, decl); this.cppmangle = cppmangle; } override CPPMangleDeclaration syntaxCopy(Dsymbol s) { assert(!s); return new CPPMangleDeclaration(loc, cppmangle, Dsymbol.arraySyntaxCopy(decl)); } override Scope* newScope(Scope* sc) { return createNewScope(sc, sc.stc, LINK.cpp, cppmangle, sc.visibility, sc.explicitVisibility, sc.aligndecl, sc.inlining); } override void setScope(Scope* sc) { if (decl) Dsymbol.setScope(sc); // for forward reference return AttribDeclaration.setScope(sc); } override const(char)* toChars() const { return toString().ptr; } extern(D) override const(char)[] toString() const { return "extern ()"; } override void accept(Visitor v) { v.visit(this); } } /** * A node to represent an `extern(C++)` namespace attribute * * There are two ways to declarate a symbol as member of a namespace: * `Nspace` and `CPPNamespaceDeclaration`. * The former creates a scope for the symbol, and inject them in the * parent scope at the same time. * The later, this class, has no semantic implications and is only * used for mangling. * Additionally, this class allows one to use reserved identifiers * (D keywords) in the namespace. * * A `CPPNamespaceDeclaration` can be created from an `Identifier` * (already resolved) or from an `Expression`, which is CTFE-ed * and can be either a `TupleExp`, in which can additional * `CPPNamespaceDeclaration` nodes are created, or a `StringExp`. * * Note that this class, like `Nspace`, matches only one identifier * part of a namespace. For the namespace `"foo::bar"`, * the will be a `CPPNamespaceDeclaration` with its `ident` * set to `"bar"`, and its `namespace` field pointing to another * `CPPNamespaceDeclaration` with its `ident` set to `"foo"`. */ extern (C++) final class CPPNamespaceDeclaration : AttribDeclaration { /// CTFE-able expression, resolving to `TupleExp` or `StringExp` Expression exp; extern (D) this(const ref Loc loc, Identifier ident, Dsymbols* decl) { super(loc, ident, decl); } extern (D) this(const ref Loc loc, Expression exp, Dsymbols* decl) { super(loc, null, decl); this.exp = exp; } extern (D) this(const ref Loc loc, Identifier ident, Expression exp, Dsymbols* decl, CPPNamespaceDeclaration parent) { super(loc, ident, decl); this.exp = exp; this.cppnamespace = parent; } override CPPNamespaceDeclaration syntaxCopy(Dsymbol s) { assert(!s); return new CPPNamespaceDeclaration( this.loc, this.ident, this.exp, Dsymbol.arraySyntaxCopy(this.decl), this.cppnamespace); } /** * Returns: * A copy of the parent scope, with `this` as `namespace` and C++ linkage */ override Scope* newScope(Scope* sc) { auto scx = sc.copy(); scx.linkage = LINK.cpp; scx.namespace = this; return scx; } override const(char)* toChars() const { return toString().ptr; } extern(D) override const(char)[] toString() const { return "extern (C++, `namespace`)"; } override void accept(Visitor v) { v.visit(this); } override inout(CPPNamespaceDeclaration) isCPPNamespaceDeclaration() inout { return this; } } /*********************************************************** * Visibility declaration for Dsymbols, e.g. `public int i;` * * `<visibility> <decl...>` or * `package(<pkg_identifiers>) <decl...>` if `pkg_identifiers !is null` */ extern (C++) final class VisibilityDeclaration : AttribDeclaration { Visibility visibility; /// the visibility Identifier[] pkg_identifiers; /// identifiers for `package(foo.bar)` or null /** * Params: * loc = source location of attribute token * visibility = visibility attribute data * decl = declarations which are affected by this visibility attribute */ extern (D) this(const ref Loc loc, Visibility visibility, Dsymbols* decl) { super(loc, null, decl); this.visibility = visibility; //printf("decl = %p\n", decl); } /** * Params: * loc = source location of attribute token * pkg_identifiers = list of identifiers for a qualified package name * decl = declarations which are affected by this visibility attribute */ extern (D) this(const ref Loc loc, Identifier[] pkg_identifiers, Dsymbols* decl) { super(loc, null, decl); this.visibility.kind = Visibility.Kind.package_; this.pkg_identifiers = pkg_identifiers; if (pkg_identifiers.length > 0) { Dsymbol tmp; Package.resolve(pkg_identifiers, &tmp, null); visibility.pkg = tmp ? tmp.isPackage() : null; } } override VisibilityDeclaration syntaxCopy(Dsymbol s) { assert(!s); if (visibility.kind == Visibility.Kind.package_) return new VisibilityDeclaration(this.loc, pkg_identifiers, Dsymbol.arraySyntaxCopy(decl)); else return new VisibilityDeclaration(this.loc, visibility, Dsymbol.arraySyntaxCopy(decl)); } override Scope* newScope(Scope* sc) { if (pkg_identifiers) dsymbolSemantic(this, sc); return createNewScope(sc, sc.stc, sc.linkage, sc.cppmangle, this.visibility, 1, sc.aligndecl, sc.inlining); } override void addMember(Scope* sc, ScopeDsymbol sds) { if (pkg_identifiers) { Dsymbol tmp; Package.resolve(pkg_identifiers, &tmp, null); visibility.pkg = tmp ? tmp.isPackage() : null; pkg_identifiers = null; } if (visibility.kind == Visibility.Kind.package_ && visibility.pkg && sc._module) { Module m = sc._module; // While isAncestorPackageOf does an equality check, the fix for issue 17441 adds a check to see if // each package's .isModule() properites are equal. // // Properties generated from `package(foo)` i.e. visibility.pkg have .isModule() == null. // This breaks package declarations of the package in question if they are declared in // the same package.d file, which _do_ have a module associated with them, and hence a non-null // isModule() if (!m.isPackage() || !visibility.pkg.ident.equals(m.isPackage().ident)) { Package pkg = m.parent ? m.parent.isPackage() : null; if (!pkg || !visibility.pkg.isAncestorPackageOf(pkg)) error("does not bind to one of ancestor packages of module `%s`", m.toPrettyChars(true)); } } return AttribDeclaration.addMember(sc, sds); } override const(char)* kind() const { return "visibility attribute"; } override const(char)* toPrettyChars(bool) { assert(visibility.kind > Visibility.Kind.undefined); OutBuffer buf; visibilityToBuffer(&buf, visibility); return buf.extractChars(); } override inout(VisibilityDeclaration) isVisibilityDeclaration() inout { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Alignment attribute for aggregates, members and variables. * * `align(<ealign>) <decl...>` or * `align <decl...>` if `ealign` is null */ extern (C++) final class AlignDeclaration : AttribDeclaration { Expressions* exps; /// Expression(s) yielding the desired alignment, /// the largest value wins enum structalign_t UNKNOWN = 0; /// alignment not yet computed static assert(STRUCTALIGN_DEFAULT != UNKNOWN); /// the actual alignment, `UNKNOWN` until it's either set to the value of `ealign` /// or `STRUCTALIGN_DEFAULT` if `ealign` is null ( / an error ocurred) structalign_t salign = UNKNOWN; extern (D) this(const ref Loc loc, Expression exp, Dsymbols* decl) { super(loc, null, decl); if (exp) { exps = new Expressions(); exps.push(exp); } } extern (D) this(const ref Loc loc, Expressions* exps, Dsymbols* decl) { super(loc, null, decl); this.exps = exps; } extern (D) this(const ref Loc loc, structalign_t salign, Dsymbols* decl) { super(loc, null, decl); this.salign = salign; } override AlignDeclaration syntaxCopy(Dsymbol s) { assert(!s); return new AlignDeclaration(loc, Expression.arraySyntaxCopy(exps), Dsymbol.arraySyntaxCopy(decl)); } override Scope* newScope(Scope* sc) { return createNewScope(sc, sc.stc, sc.linkage, sc.cppmangle, sc.visibility, sc.explicitVisibility, this, sc.inlining); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * An anonymous struct/union (defined by `isunion`). */ extern (C++) final class AnonDeclaration : AttribDeclaration { bool isunion; /// whether it's a union int sem; /// 1 if successful semantic() uint anonoffset; /// offset of anonymous struct uint anonstructsize; /// size of anonymous struct uint anonalignsize; /// size of anonymous struct for alignment purposes extern (D) this(const ref Loc loc, bool isunion, Dsymbols* decl) { super(loc, null, decl); this.isunion = isunion; } override AnonDeclaration syntaxCopy(Dsymbol s) { assert(!s); return new AnonDeclaration(loc, isunion, Dsymbol.arraySyntaxCopy(decl)); } override void setScope(Scope* sc) { if (decl) Dsymbol.setScope(sc); return AttribDeclaration.setScope(sc); } override void setFieldOffset(AggregateDeclaration ad, ref FieldState fieldState, bool isunion) { //printf("\tAnonDeclaration::setFieldOffset %s %p\n", isunion ? "union" : "struct", this); if (decl) { /* This works by treating an AnonDeclaration as an aggregate 'member', * so in order to place that member we need to compute the member's * size and alignment. */ size_t fieldstart = ad.fields.dim; /* Hackishly hijack ad's structsize and alignsize fields * for use in our fake anon aggregate member. */ uint savestructsize = ad.structsize; uint savealignsize = ad.alignsize; ad.structsize = 0; ad.alignsize = 0; FieldState fs; decl.foreachDsymbol( (s) { s.setFieldOffset(ad, fs, this.isunion); if (this.isunion) fs.offset = 0; }); /* https://issues.dlang.org/show_bug.cgi?id=13613 * If the fields in this.members had been already * added in ad.fields, just update *poffset for the subsequent * field offset calculation. */ if (fieldstart == ad.fields.dim) { ad.structsize = savestructsize; ad.alignsize = savealignsize; fieldState.offset = ad.structsize; return; } anonstructsize = ad.structsize; anonalignsize = ad.alignsize; ad.structsize = savestructsize; ad.alignsize = savealignsize; // 0 sized structs are set to 1 byte if (anonstructsize == 0) { anonstructsize = 1; anonalignsize = 1; } assert(_scope); auto alignment = _scope.alignment(); /* Given the anon 'member's size and alignment, * go ahead and place it. */ anonoffset = AggregateDeclaration.placeField( &fieldState.offset, anonstructsize, anonalignsize, alignment, &ad.structsize, &ad.alignsize, isunion); // Add to the anon fields the base offset of this anonymous aggregate //printf("anon fields, anonoffset = %d\n", anonoffset); foreach (const i; fieldstart .. ad.fields.dim) { VarDeclaration v = ad.fields[i]; //printf("\t[%d] %s %d\n", i, v.toChars(), v.offset); v.offset += anonoffset; } } } override const(char)* kind() const { return (isunion ? "anonymous union" : "anonymous struct"); } override inout(AnonDeclaration) isAnonDeclaration() inout { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Pragma applied to Dsymbols, e.g. `pragma(inline, true) void foo`, * but not PragmaStatement's like `pragma(msg, "hello");`. * * pragma(<ident>, <args>) */ extern (C++) final class PragmaDeclaration : AttribDeclaration { Expressions* args; /// parameters of this pragma extern (D) this(const ref Loc loc, Identifier ident, Expressions* args, Dsymbols* decl) { super(loc, ident, decl); this.args = args; } override PragmaDeclaration syntaxCopy(Dsymbol s) { //printf("PragmaDeclaration::syntaxCopy(%s)\n", toChars()); assert(!s); return new PragmaDeclaration(loc, ident, Expression.arraySyntaxCopy(args), Dsymbol.arraySyntaxCopy(decl)); } override Scope* newScope(Scope* sc) { if (ident == Id.Pinline) { // We keep track of this pragma inside scopes, // then it's evaluated on demand in function semantic return createNewScope(sc, sc.stc, sc.linkage, sc.cppmangle, sc.visibility, sc.explicitVisibility, sc.aligndecl, this); } if (ident == Id.printf || ident == Id.scanf) { auto sc2 = sc.push(); if (ident == Id.printf) // Override previous setting, never let both be set sc2.flags = (sc2.flags & ~SCOPE.scanf) | SCOPE.printf; else sc2.flags = (sc2.flags & ~SCOPE.printf) | SCOPE.scanf; return sc2; } return sc; } PINLINE evalPragmaInline(Scope* sc) { if (!args || args.dim == 0) return PINLINE.default_; Expression e = (*args)[0]; if (!e.type) { sc = sc.startCTFE(); e = e.expressionSemantic(sc); e = resolveProperties(sc, e); sc = sc.endCTFE(); e = e.ctfeInterpret(); e = e.toBoolean(sc); if (e.isErrorExp()) error("pragma(`inline`, `true` or `false`) expected, not `%s`", (*args)[0].toChars()); (*args)[0] = e; } if (e.isBool(true)) return PINLINE.always; else if (e.isBool(false)) return PINLINE.never; else return PINLINE.default_; } override const(char)* kind() const { return "pragma"; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * A conditional compilation declaration, used for `version` * / `debug` and specialized for `static if`. * * <condition> { <decl...> } else { <elsedecl> } */ extern (C++) class ConditionalDeclaration : AttribDeclaration { Condition condition; /// condition deciding whether decl or elsedecl applies Dsymbols* elsedecl; /// array of Dsymbol's for else block extern (D) this(const ref Loc loc, Condition condition, Dsymbols* decl, Dsymbols* elsedecl) { super(loc, null, decl); //printf("ConditionalDeclaration::ConditionalDeclaration()\n"); this.condition = condition; this.elsedecl = elsedecl; } override ConditionalDeclaration syntaxCopy(Dsymbol s) { assert(!s); return new ConditionalDeclaration(loc, condition.syntaxCopy(), Dsymbol.arraySyntaxCopy(decl), Dsymbol.arraySyntaxCopy(elsedecl)); } override final bool oneMember(Dsymbol* ps, Identifier ident) { //printf("ConditionalDeclaration::oneMember(), inc = %d\n", condition.inc); if (condition.inc != Include.notComputed) { Dsymbols* d = condition.include(null) ? decl : elsedecl; return Dsymbol.oneMembers(d, ps, ident); } else { bool res = (Dsymbol.oneMembers(decl, ps, ident) && *ps is null && Dsymbol.oneMembers(elsedecl, ps, ident) && *ps is null); *ps = null; return res; } } // Decide if 'then' or 'else' code should be included override Dsymbols* include(Scope* sc) { //printf("ConditionalDeclaration::include(sc = %p) scope = %p\n", sc, scope); if (errors) return null; assert(condition); return condition.include(_scope ? _scope : sc) ? decl : elsedecl; } override final void addComment(const(char)* comment) { /* Because addComment is called by the parser, if we called * include() it would define a version before it was used. * But it's no problem to drill down to both decl and elsedecl, * so that's the workaround. */ if (comment) { decl .foreachDsymbol( s => s.addComment(comment) ); elsedecl.foreachDsymbol( s => s.addComment(comment) ); } } override void setScope(Scope* sc) { include(sc).foreachDsymbol( s => s.setScope(sc) ); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * `<scopesym> { * static if (<condition>) { <decl> } else { <elsedecl> } * }` */ extern (C++) final class StaticIfDeclaration : ConditionalDeclaration { ScopeDsymbol scopesym; /// enclosing symbol (e.g. module) where symbols will be inserted private bool addisdone = false; /// true if members have been added to scope private bool onStack = false; /// true if a call to `include` is currently active extern (D) this(const ref Loc loc, Condition condition, Dsymbols* decl, Dsymbols* elsedecl) { super(loc, condition, decl, elsedecl); //printf("StaticIfDeclaration::StaticIfDeclaration()\n"); } override StaticIfDeclaration syntaxCopy(Dsymbol s) { assert(!s); return new StaticIfDeclaration(loc, condition.syntaxCopy(), Dsymbol.arraySyntaxCopy(decl), Dsymbol.arraySyntaxCopy(elsedecl)); } /**************************************** * Different from other AttribDeclaration subclasses, include() call requires * the completion of addMember and setScope phases. */ override Dsymbols* include(Scope* sc) { //printf("StaticIfDeclaration::include(sc = %p) scope = %p\n", sc, scope); if (errors || onStack) return null; onStack = true; scope(exit) onStack = false; if (sc && condition.inc == Include.notComputed) { assert(scopesym); // addMember is already done assert(_scope); // setScope is already done Dsymbols* d = ConditionalDeclaration.include(_scope); if (d && !addisdone) { // Add members lazily. d.foreachDsymbol( s => s.addMember(_scope, scopesym) ); // Set the member scopes lazily. d.foreachDsymbol( s => s.setScope(_scope) ); addisdone = true; } return d; } else { return ConditionalDeclaration.include(sc); } } override void addMember(Scope* sc, ScopeDsymbol sds) { //printf("StaticIfDeclaration::addMember() '%s'\n", toChars()); /* This is deferred until the condition evaluated later (by the include() call), * so that expressions in the condition can refer to declarations * in the same scope, such as: * * template Foo(int i) * { * const int j = i + 1; * static if (j == 3) * const int k; * } */ this.scopesym = sds; } override void setScope(Scope* sc) { // do not evaluate condition before semantic pass // But do set the scope, in case we need it for forward referencing Dsymbol.setScope(sc); } override void importAll(Scope* sc) { // do not evaluate condition before semantic pass } override const(char)* kind() const { return "static if"; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Static foreach at declaration scope, like: * static foreach (i; [0, 1, 2]){ } */ extern (C++) final class StaticForeachDeclaration : AttribDeclaration { StaticForeach sfe; /// contains `static foreach` expansion logic ScopeDsymbol scopesym; /// cached enclosing scope (mimics `static if` declaration) /++ `include` can be called multiple times, but a `static foreach` should be expanded at most once. Achieved by caching the result of the first call. We need both `cached` and `cache`, because `null` is a valid value for `cache`. +/ bool onStack = false; bool cached = false; Dsymbols* cache = null; extern (D) this(StaticForeach sfe, Dsymbols* decl) { super(sfe.loc, null, decl); this.sfe = sfe; } override StaticForeachDeclaration syntaxCopy(Dsymbol s) { assert(!s); return new StaticForeachDeclaration( sfe.syntaxCopy(), Dsymbol.arraySyntaxCopy(decl)); } override bool oneMember(Dsymbol* ps, Identifier ident) { // Required to support IFTI on a template that contains a // `static foreach` declaration. `super.oneMember` calls // include with a `null` scope. As `static foreach` requires // the scope for expansion, `oneMember` can only return a // precise result once `static foreach` has been expanded. if (cached) { return super.oneMember(ps, ident); } *ps = null; // a `static foreach` declaration may in general expand to multiple symbols return false; } override Dsymbols* include(Scope* sc) { if (errors || onStack) return null; if (cached) { assert(!onStack); return cache; } onStack = true; scope(exit) onStack = false; if (_scope) { sfe.prepare(_scope); // lower static foreach aggregate } if (!sfe.ready()) { return null; // TODO: ok? } // expand static foreach import dmd.statementsem: makeTupleForeach; Dsymbols* d = makeTupleForeach!(true,true)(_scope, sfe.aggrfe, decl, sfe.needExpansion); if (d) // process generated declarations { // Add members lazily. d.foreachDsymbol( s => s.addMember(_scope, scopesym) ); // Set the member scopes lazily. d.foreachDsymbol( s => s.setScope(_scope) ); } cached = true; cache = d; return d; } override void addMember(Scope* sc, ScopeDsymbol sds) { // used only for caching the enclosing symbol this.scopesym = sds; } override void addComment(const(char)* comment) { // do nothing // change this to give semantics to documentation comments on static foreach declarations } override void setScope(Scope* sc) { // do not evaluate condition before semantic pass // But do set the scope, in case we need it for forward referencing Dsymbol.setScope(sc); } override void importAll(Scope* sc) { // do not evaluate aggregate before semantic pass } override const(char)* kind() const { return "static foreach"; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Collection of declarations that stores foreach index variables in a * local symbol table. Other symbols declared within are forwarded to * another scope, like: * * static foreach (i; 0 .. 10) // loop variables for different indices do not conflict. * { // this body is expanded into 10 ForwardingAttribDeclarations, where `i` has storage class STC.local * mixin("enum x" ~ to!string(i) ~ " = i"); // ok, can access current loop variable * } * * static foreach (i; 0.. 10) * { * pragma(msg, mixin("x" ~ to!string(i))); // ok, all 10 symbols are visible as they were forwarded to the global scope * } * * static assert (!is(typeof(i))); // loop index variable is not visible outside of the static foreach loop * * A StaticForeachDeclaration generates one * ForwardingAttribDeclaration for each expansion of its body. The * AST of the ForwardingAttribDeclaration contains both the `static * foreach` variables and the respective copy of the `static foreach` * body. The functionality is achieved by using a * ForwardingScopeDsymbol as the parent symbol for the generated * declarations. */ extern(C++) final class ForwardingAttribDeclaration: AttribDeclaration { ForwardingScopeDsymbol sym = null; this(Dsymbols* decl) { super(decl); sym = new ForwardingScopeDsymbol(null); sym.symtab = new DsymbolTable(); } /************************************** * Use the ForwardingScopeDsymbol as the parent symbol for members. */ override Scope* newScope(Scope* sc) { return sc.push(sym); } /*************************************** * Lazily initializes the scope to forward to. */ override void addMember(Scope* sc, ScopeDsymbol sds) { parent = sym.parent = sym.forward = sds; return super.addMember(sc, sym); } override inout(ForwardingAttribDeclaration) isForwardingAttribDeclaration() inout { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Mixin declarations, like: * mixin("int x"); * https://dlang.org/spec/module.html#mixin-declaration */ extern (C++) final class CompileDeclaration : AttribDeclaration { Expressions* exps; ScopeDsymbol scopesym; bool compiled; extern (D) this(const ref Loc loc, Expressions* exps) { super(loc, null, null); //printf("CompileDeclaration(loc = %d)\n", loc.linnum); this.exps = exps; } override CompileDeclaration syntaxCopy(Dsymbol s) { //printf("CompileDeclaration::syntaxCopy('%s')\n", toChars()); return new CompileDeclaration(loc, Expression.arraySyntaxCopy(exps)); } override void addMember(Scope* sc, ScopeDsymbol sds) { //printf("CompileDeclaration::addMember(sc = %p, sds = %p, memnum = %d)\n", sc, sds, memnum); this.scopesym = sds; } override void setScope(Scope* sc) { Dsymbol.setScope(sc); } override const(char)* kind() const { return "mixin"; } override inout(CompileDeclaration) isCompileDeclaration() inout { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * User defined attributes look like: * @foo(args, ...) * @(args, ...) */ extern (C++) final class UserAttributeDeclaration : AttribDeclaration { Expressions* atts; extern (D) this(Expressions* atts, Dsymbols* decl) { super(decl); this.atts = atts; } override UserAttributeDeclaration syntaxCopy(Dsymbol s) { //printf("UserAttributeDeclaration::syntaxCopy('%s')\n", toChars()); assert(!s); return new UserAttributeDeclaration(Expression.arraySyntaxCopy(this.atts), Dsymbol.arraySyntaxCopy(decl)); } override Scope* newScope(Scope* sc) { Scope* sc2 = sc; if (atts && atts.dim) { // create new one for changes sc2 = sc.copy(); sc2.userAttribDecl = this; } return sc2; } override void setScope(Scope* sc) { //printf("UserAttributeDeclaration::setScope() %p\n", this); if (decl) Dsymbol.setScope(sc); // for forward reference of UDAs return AttribDeclaration.setScope(sc); } extern (D) static Expressions* concat(Expressions* udas1, Expressions* udas2) { Expressions* udas; if (!udas1 || udas1.dim == 0) udas = udas2; else if (!udas2 || udas2.dim == 0) udas = udas1; else { /* Create a new tuple that combines them * (do not append to left operand, as this is a copy-on-write operation) */ udas = new Expressions(2); (*udas)[0] = new TupleExp(Loc.initial, udas1); (*udas)[1] = new TupleExp(Loc.initial, udas2); } return udas; } Expressions* getAttributes() { if (auto sc = _scope) { _scope = null; arrayExpressionSemantic(atts, sc); } auto exps = new Expressions(); if (userAttribDecl && userAttribDecl !is this) exps.push(new TupleExp(Loc.initial, userAttribDecl.getAttributes())); if (atts && atts.dim) exps.push(new TupleExp(Loc.initial, atts)); return exps; } override const(char)* kind() const { return "UserAttribute"; } override void accept(Visitor v) { v.visit(this); } /** * Check if the provided expression references `core.attribute.gnuAbiTag` * * This should be called after semantic has been run on the expression. * Semantic on UDA happens in semantic2 (see `dmd.semantic2`). * * Params: * e = Expression to check (usually from `UserAttributeDeclaration.atts`) * * Returns: * `true` if the expression references the compiler-recognized `gnuAbiTag` */ static bool isGNUABITag(Expression e) { if (global.params.cplusplus < CppStdRevision.cpp11) return false; auto ts = e.type ? e.type.isTypeStruct() : null; if (!ts) return false; if (ts.sym.ident != Id.udaGNUAbiTag || !ts.sym.parent) return false; // Can only be defined in druntime Module m = ts.sym.parent.isModule(); if (!m || !m.isCoreModule(Id.attribute)) return false; return true; } /** * Called from a symbol's semantic to check if `gnuAbiTag` UDA * can be applied to them * * Directly emits an error if the UDA doesn't work with this symbol * * Params: * sym = symbol to check for `gnuAbiTag` * linkage = Linkage of the symbol (Declaration.link or sc.link) */ static void checkGNUABITag(Dsymbol sym, LINK linkage) { if (global.params.cplusplus < CppStdRevision.cpp11) return; // Avoid `if` at the call site if (sym.userAttribDecl is null || sym.userAttribDecl.atts is null) return; foreach (exp; *sym.userAttribDecl.atts) { if (isGNUABITag(exp)) { if (sym.isCPPNamespaceDeclaration() || sym.isNspace()) { exp.error("`@%s` cannot be applied to namespaces", Id.udaGNUAbiTag.toChars()); sym.errors = true; } else if (linkage != LINK.cpp) { exp.error("`@%s` can only apply to C++ symbols", Id.udaGNUAbiTag.toChars()); sym.errors = true; } // Only one `@gnuAbiTag` is allowed by semantic2 return; } } } }
D
int dis(int a,int b){ if(a>b){return a-b;} return b-a; } struct localcolor{ int r; int g; int b; int distence(localcolor a){ int sq(int i){return i*i;} import std.math;import std.conv; return sqrt(sq(r-a.r)+sq(g-a.g)+sq(b-a.b)+float(0)).to!int; } import raylib; auto get(){ return Color(cast(ubyte)r,cast(ubyte)g,cast(ubyte)b,255); } alias get this; } localcolor[2] nearest(localcolor[] niehbors,localcolor target){ auto f(localcolor a){ struct pair{ int _1; alias _1 this; localcolor _2; } return pair(a.distence(target),a); } import std.algorithm; import std.array; auto o=niehbors[].map!f.array.sort; return [o[0]._2,o[1]._2]; } auto wieghts(localcolor target){ import std.algorithm; import std.array; struct pair{ localcolor c; alias c this; float w; } pair[4] o; enum hue=[ localcolor(255, 0, 0), localcolor(255,255, 0), localcolor( 0,255, 0), localcolor( 0,255,255), localcolor( 0, 0,255), localcolor(255, 0,255)]; enum grey=[ localcolor( 0, 0, 0), localcolor(100,100,100), localcolor(200,200,200), localcolor(255,255,255)]; auto hueout=hue.nearest(target); o[0]=hueout[0]; o[1]=hueout[1]; auto greyout=grey.nearest(target); o[2]=greyout[0]; o[3]=greyout[1]; int[4] d; float totald=0; foreach(i,e;o[]){ d[i]=e.distence(target); totald+=d[i]; } foreach(i,ref e;o[]){ e.w=d[i]/totald;} o[].sort!((a,b)=>a.w<b.w); float left=1; foreach(ref e;o[0..3]){ auto percent=left-(left*e.w); //auto percent=left-(e.w*e.w); left-=percent; e.w=percent; } o[3].w=left; return o; } unittest{ import std.stdio;import std.algorithm; import std.array; localcolor(218,218,48).wieghts.writeln; localcolor(255,255,0).wieghts.writeln; } localcolor hextolocalcolor(string s){//lazy copy paste import std.range; localcolor output; //I wish c foreach abuse worked in d //for(int i=0,int j=0,bool b=true;i<6;i++,j+=b,b!=b) enum zippy= zip( [16].cycle, ["r","g","b"], iota(0,100)); static foreach(digit,mix,i;zippy){ { int t; if(s[i]>='0' && s[i]<='9'){ t=s[i]-'0';} if(s[i]>='a' && s[i]<='f'){ t=s[i]-'a'+11;} if(s[i]>='A' && s[i]<='F'){ t=s[i]-'A'+11;} t*=digit; import std.algorithm; mixin("output."~mix)+=min(t,255); } } return output; } unittest{ import std.stdio; hextolocalcolor("cc3").writeln; }
D
/Users/macmini2/Desktop/framework/Perfect-Thread/.build/x86_64-apple-macosx10.10/debug/PerfectThread.build/Threading.swift.o : /Users/macmini2/Desktop/framework/Perfect-Thread/Sources/Promise.swift /Users/macmini2/Desktop/framework/Perfect-Thread/Sources/ThreadQueue.swift /Users/macmini2/Desktop/framework/Perfect-Thread/Sources/Threading.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 /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/macmini2/Desktop/framework/Perfect-Thread/.build/x86_64-apple-macosx10.10/debug/PerfectThread.build/Threading~partial.swiftmodule : /Users/macmini2/Desktop/framework/Perfect-Thread/Sources/Promise.swift /Users/macmini2/Desktop/framework/Perfect-Thread/Sources/ThreadQueue.swift /Users/macmini2/Desktop/framework/Perfect-Thread/Sources/Threading.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 /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Users/macmini2/Desktop/framework/Perfect-Thread/.build/x86_64-apple-macosx10.10/debug/PerfectThread.build/Threading~partial.swiftdoc : /Users/macmini2/Desktop/framework/Perfect-Thread/Sources/Promise.swift /Users/macmini2/Desktop/framework/Perfect-Thread/Sources/ThreadQueue.swift /Users/macmini2/Desktop/framework/Perfect-Thread/Sources/Threading.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 /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.13.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes
D
module std.historical.logger.nulllogger; import std.historical.logger.core; /** The $(D NullLogger) will not process any log messages. In case of a log message with $(D LogLevel.fatal) nothing will happen. */ class NullLogger : Logger { /** The default constructor for the $(D NullLogger). Independent of the parameter this Logger will never log a message. Params: lv = The $(D LogLevel) for the $(D MultiLogger). By default the $(D LogLevel) for $(D MultiLogger) is $(D LogLevel.info). */ this(const LogLevel lv = LogLevel.info) { super(lv); this.fatalHandler = delegate() {}; } override protected void writeLogMsg(ref LogEntry payload) @safe @nogc { } } /// unittest { auto nl1 = new NullLogger(LogLevel.all); nl1.info("You will never read this."); nl1.fatal("You will never read this, either and it will not throw"); }
D
Z S Y R 2 K EXAMPLE PROGRAM DATA 3 4 :Values of n, k (0.5,-1.25) (1.2,0.0) :Values of alpha, beta U T :Values of uplo, trans (1.0, 0.77) ( 2.25,-3.23) ( 3.33, 0.0) (4.0, 0.0) ( 5.0, 0.0) ( 3.0, -1.0) (3.2,-0.1) ( 2.7, 0.5) (-1.1, 4.0) (0.0, 3.91) ( 4.11, 1.7) ( 5.76, 0.0) :Values of array A (-1.0, 0.54) ( 0.4, 0.0) ( 2.2, 3.14) ( 6.2,-0.16) ( 5.7, 0.0) (-1.5, 1.43) ( 2.2, 0.0) (-2.7, 1.11) ( 4.5, 0.0) ( 1.6, 0.0) ( 1.1, 0.0) ( 3.2, 0.0) :Values of array B (1.1,1.1) (2.2,2.2) ( 3.7, 3.7) (5.4,5.4) (-1.0,-1.0) ( 7.7, 7.7) :Values of array C
D
module entity.utils.time; import std.datetime; import core.stdc.time; int getCurrUnixStramp() { SysTime currentTime = cast(SysTime)Clock.currTime(); time_t time = currentTime.toUnixTime; return cast(int)(time); }
D
/** * Compiler implementation of the * $(LINK2 http://www.dlang.org, D programming language). * * Copyright: Copyright (C) 1999-2020 by The D Language Foundation, All Rights Reserved * Authors: $(LINK2 http://www.digitalmars.com, Walter Bright) * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/dmd/dstruct.d, _dstruct.d) * Documentation: https://dlang.org/phobos/dmd_dstruct.html * Coverage: https://codecov.io/gh/dlang/dmd/src/master/src/dmd/dstruct.d */ module dmd.dstruct; import dmd.aggregate; import dmd.arraytypes; import dmd.declaration; import dmd.dmodule; import dmd.dscope; import dmd.dsymbol; import dmd.dsymbolsem; import dmd.dtemplate; import dmd.errors; import dmd.expression; import dmd.expressionsem; import dmd.func; import dmd.globals; import dmd.id; import dmd.identifier; import dmd.mtype; import dmd.opover; import dmd.semantic3; import dmd.target; import dmd.tokens; import dmd.typesem; import dmd.typinf; import dmd.visitor; /*************************************** * Search sd for a member function of the form: * `extern (D) string toString();` * Params: * sd = struct declaration to search * Returns: * FuncDeclaration of `toString()` if found, `null` if not */ extern (C++) FuncDeclaration search_toString(StructDeclaration sd) { Dsymbol s = search_function(sd, Id.tostring); FuncDeclaration fd = s ? s.isFuncDeclaration() : null; if (fd) { __gshared TypeFunction tftostring; if (!tftostring) { tftostring = new TypeFunction(ParameterList(), Type.tstring, LINK.d); tftostring = tftostring.merge().toTypeFunction(); } fd = fd.overloadExactMatch(tftostring); } return fd; } /*************************************** * Request additional semantic analysis for TypeInfo generation. * Params: * sc = context * t = type that TypeInfo is being generated for */ extern (C++) void semanticTypeInfo(Scope* sc, Type t) { if (sc) { if (!sc.func) return; if (sc.intypeof) return; if (sc.flags & (SCOPE.ctfe | SCOPE.compile)) return; } if (!t) return; void visitVector(TypeVector t) { semanticTypeInfo(sc, t.basetype); } void visitAArray(TypeAArray t) { semanticTypeInfo(sc, t.index); semanticTypeInfo(sc, t.next); } void visitStruct(TypeStruct t) { //printf("semanticTypeInfo.visit(TypeStruct = %s)\n", t.toChars()); StructDeclaration sd = t.sym; /* Step 1: create TypeInfoDeclaration */ if (!sc) // inline may request TypeInfo. { Scope scx; scx._module = sd.getModule(); getTypeInfoType(sd.loc, t, &scx); sd.requestTypeInfo = true; } else if (!sc.minst) { // don't yet have to generate TypeInfo instance if // the typeid(T) expression exists in speculative scope. } else { getTypeInfoType(sd.loc, t, sc); sd.requestTypeInfo = true; // https://issues.dlang.org/show_bug.cgi?id=15149 // if the typeid operand type comes from a // result of auto function, it may be yet speculative. // unSpeculative(sc, sd); } /* Step 2: If the TypeInfo generation requires sd.semantic3, run it later. * This should be done even if typeid(T) exists in speculative scope. * Because it may appear later in non-speculative scope. */ if (!sd.members) return; // opaque struct if (!sd.xeq && !sd.xcmp && !sd.postblit && !sd.dtor && !sd.xhash && !search_toString(sd)) return; // none of TypeInfo-specific members // If the struct is in a non-root module, run semantic3 to get // correct symbols for the member function. if (sd.semanticRun >= PASS.semantic3) { // semantic3 is already done } else if (TemplateInstance ti = sd.isInstantiated()) { if (ti.minst && !ti.minst.isRoot()) Module.addDeferredSemantic3(sd); } else { if (sd.inNonRoot()) { //printf("deferred sem3 for TypeInfo - sd = %s, inNonRoot = %d\n", sd.toChars(), sd.inNonRoot()); Module.addDeferredSemantic3(sd); } } } void visitTuple(TypeTuple t) { if (t.arguments) { foreach (arg; *t.arguments) { semanticTypeInfo(sc, arg.type); } } } /* Note structural similarity of this Type walker to that in isSpeculativeType() */ Type tb = t.toBasetype(); switch (tb.ty) { case Tvector: visitVector(tb.isTypeVector()); break; case Taarray: visitAArray(tb.isTypeAArray()); break; case Tstruct: visitStruct(tb.isTypeStruct()); break; case Ttuple: visitTuple (tb.isTypeTuple()); break; case Tclass: case Tenum: break; default: semanticTypeInfo(sc, tb.nextOf()); break; } } enum StructFlags : int { none = 0x0, hasPointers = 0x1, // NB: should use noPointers as in ClassFlags } enum StructPOD : int { no, // struct is not POD yes, // struct is POD fwd, // POD not yet computed } /*********************************************************** * All `struct` declarations are an instance of this. */ extern (C++) class StructDeclaration : AggregateDeclaration { bool zeroInit; // !=0 if initialize with 0 fill bool hasIdentityAssign; // true if has identity opAssign bool hasIdentityEquals; // true if has identity opEquals bool hasNoFields; // has no fields FuncDeclarations postblits; // Array of postblit functions FuncDeclaration postblit; // aggregate postblit bool hasCopyCtor; // copy constructor FuncDeclaration xeq; // TypeInfo_Struct.xopEquals FuncDeclaration xcmp; // TypeInfo_Struct.xopCmp FuncDeclaration xhash; // TypeInfo_Struct.xtoHash extern (C++) __gshared FuncDeclaration xerreq; // object.xopEquals extern (C++) __gshared FuncDeclaration xerrcmp; // object.xopCmp structalign_t alignment; // alignment applied outside of the struct StructPOD ispod; // if struct is POD // For 64 bit Efl function call/return ABI Type arg1type; Type arg2type; // Even if struct is defined as non-root symbol, some built-in operations // (e.g. TypeidExp, NewExp, ArrayLiteralExp, etc) request its TypeInfo. // For those, today TypeInfo_Struct is generated in COMDAT. bool requestTypeInfo; extern (D) this(const ref Loc loc, Identifier id, bool inObject) { super(loc, id); zeroInit = false; // assume false until we do semantic processing ispod = StructPOD.fwd; // For forward references type = new TypeStruct(this); if (inObject) { if (id == Id.ModuleInfo && !Module.moduleinfo) Module.moduleinfo = this; } } static StructDeclaration create(Loc loc, Identifier id, bool inObject) { return new StructDeclaration(loc, id, inObject); } override Dsymbol syntaxCopy(Dsymbol s) { StructDeclaration sd = s ? cast(StructDeclaration)s : new StructDeclaration(loc, ident, false); return ScopeDsymbol.syntaxCopy(sd); } final void semanticTypeInfoMembers() { if (xeq && xeq._scope && xeq.semanticRun < PASS.semantic3done) { uint errors = global.startGagging(); xeq.semantic3(xeq._scope); if (global.endGagging(errors)) xeq = xerreq; } if (xcmp && xcmp._scope && xcmp.semanticRun < PASS.semantic3done) { uint errors = global.startGagging(); xcmp.semantic3(xcmp._scope); if (global.endGagging(errors)) xcmp = xerrcmp; } FuncDeclaration ftostr = search_toString(this); if (ftostr && ftostr._scope && ftostr.semanticRun < PASS.semantic3done) { ftostr.semantic3(ftostr._scope); } if (xhash && xhash._scope && xhash.semanticRun < PASS.semantic3done) { xhash.semantic3(xhash._scope); } if (postblit && postblit._scope && postblit.semanticRun < PASS.semantic3done) { postblit.semantic3(postblit._scope); } if (dtor && dtor._scope && dtor.semanticRun < PASS.semantic3done) { dtor.semantic3(dtor._scope); } } override final Dsymbol search(const ref Loc loc, Identifier ident, int flags = SearchLocalsOnly) { //printf("%s.StructDeclaration::search('%s', flags = x%x)\n", toChars(), ident.toChars(), flags); if (_scope && !symtab) dsymbolSemantic(this, _scope); if (!members || !symtab) // opaque or semantic() is not yet called { // .stringof is always defined (but may be hidden by some other symbol) if(ident != Id.stringof) error("is forward referenced when looking for `%s`", ident.toChars()); return null; } return ScopeDsymbol.search(loc, ident, flags); } override const(char)* kind() const { return "struct"; } override final void finalizeSize() { //printf("StructDeclaration::finalizeSize() %s, sizeok = %d\n", toChars(), sizeok); assert(sizeok != Sizeok.done); if (sizeok == Sizeok.inProcess) { return; } sizeok = Sizeok.inProcess; //printf("+StructDeclaration::finalizeSize() %s, fields.dim = %d, sizeok = %d\n", toChars(), fields.dim, sizeok); fields.setDim(0); // workaround // Set the offsets of the fields and determine the size of the struct uint offset = 0; bool isunion = isUnionDeclaration() !is null; for (size_t i = 0; i < members.dim; i++) { Dsymbol s = (*members)[i]; s.setFieldOffset(this, &offset, isunion); } if (type.ty == Terror) { errors = true; return; } // 0 sized struct's are set to 1 byte if (structsize == 0) { hasNoFields = true; structsize = 1; alignsize = 1; } // Round struct size up to next alignsize boundary. // This will ensure that arrays of structs will get their internals // aligned properly. if (alignment == STRUCTALIGN_DEFAULT) structsize = (structsize + alignsize - 1) & ~(alignsize - 1); else structsize = (structsize + alignment - 1) & ~(alignment - 1); sizeok = Sizeok.done; //printf("-StructDeclaration::finalizeSize() %s, fields.dim = %d, structsize = %d\n", toChars(), fields.dim, structsize); if (errors) return; // Calculate fields[i].overlapped if (checkOverlappedFields()) { errors = true; return; } // Determine if struct is all zeros or not zeroInit = true; foreach (vd; fields) { if (vd._init) { if (vd._init.isVoidInitializer()) /* Treat as 0 for the purposes of putting the initializer * in the BSS segment, or doing a mass set to 0 */ continue; // Zero size fields are zero initialized if (vd.type.size(vd.loc) == 0) continue; // Examine init to see if it is all 0s. auto exp = vd.getConstInitializer(); if (!exp || !_isZeroInit(exp)) { zeroInit = false; break; } } else if (!vd.type.isZeroInit(loc)) { zeroInit = false; break; } } auto tt = target.toArgTypes(type); size_t dim = tt ? tt.arguments.dim : 0; if (dim >= 1) { assert(dim <= 2); arg1type = (*tt.arguments)[0].type; if (dim == 2) arg2type = (*tt.arguments)[1].type; } } /*************************************** * Fit elements[] to the corresponding types of the struct's fields. * * Params: * loc = location to use for error messages * sc = context * elements = explicit arguments used to construct object * stype = the constructed object type. * Returns: * false if any errors occur, * otherwise true and elements[] are rewritten for the output. */ final bool fit(const ref Loc loc, Scope* sc, Expressions* elements, Type stype) { if (!elements) return true; const nfields = nonHiddenFields(); size_t offset = 0; for (size_t i = 0; i < elements.dim; i++) { Expression e = (*elements)[i]; if (!e) continue; e = resolveProperties(sc, e); if (i >= nfields) { if (i <= fields.dim && e.op == TOK.null_) { // CTFE sometimes creates null as hidden pointer; we'll allow this. continue; } .error(loc, "more initializers than fields (%d) of `%s`", nfields, toChars()); return false; } VarDeclaration v = fields[i]; if (v.offset < offset) { .error(loc, "overlapping initialization for `%s`", v.toChars()); if (!isUnionDeclaration()) { enum errorMsg = "`struct` initializers that contain anonymous unions" ~ " must initialize only the first member of a `union`. All subsequent" ~ " non-overlapping fields are default initialized"; .errorSupplemental(loc, errorMsg); } return false; } offset = cast(uint)(v.offset + v.type.size()); Type t = v.type; if (stype) t = t.addMod(stype.mod); Type origType = t; Type tb = t.toBasetype(); const hasPointers = tb.hasPointers(); if (hasPointers) { if ((stype.alignment() < target.ptrsize || (v.offset & (target.ptrsize - 1))) && (sc.func && sc.func.setUnsafe())) { .error(loc, "field `%s.%s` cannot assign to misaligned pointers in `@safe` code", toChars(), v.toChars()); return false; } } /* Look for case of initializing a static array with a too-short * string literal, such as: * char[5] foo = "abc"; * Allow this by doing an explicit cast, which will lengthen the string * literal. */ if (e.op == TOK.string_ && tb.ty == Tsarray) { StringExp se = cast(StringExp)e; Type typeb = se.type.toBasetype(); TY tynto = tb.nextOf().ty; if (!se.committed && (typeb.ty == Tarray || typeb.ty == Tsarray) && (tynto == Tchar || tynto == Twchar || tynto == Tdchar) && se.numberOfCodeUnits(tynto) < (cast(TypeSArray)tb).dim.toInteger()) { e = se.castTo(sc, t); goto L1; } } while (!e.implicitConvTo(t) && tb.ty == Tsarray) { /* Static array initialization, as in: * T[3][5] = e; */ t = tb.nextOf(); tb = t.toBasetype(); } if (!e.implicitConvTo(t)) t = origType; // restore type for better diagnostic e = e.implicitCastTo(sc, t); L1: if (e.op == TOK.error) return false; (*elements)[i] = doCopyOrMove(sc, e); } return true; } /*************************************** * Determine if struct is POD (Plain Old Data). * * POD is defined as: * $(OL * $(LI not nested) * $(LI no postblits, destructors, or assignment operators) * $(LI no `ref` fields or fields that are themselves non-POD) * ) * The idea being these are compatible with C structs. * * Returns: * true if struct is POD */ final bool isPOD() { // If we've already determined whether this struct is POD. if (ispod != StructPOD.fwd) return (ispod == StructPOD.yes); ispod = StructPOD.yes; if (enclosing || postblit || dtor || hasCopyCtor) ispod = StructPOD.no; // Recursively check all fields are POD. for (size_t i = 0; i < fields.dim; i++) { VarDeclaration v = fields[i]; if (v.storage_class & STC.ref_) { ispod = StructPOD.no; break; } Type tv = v.type.baseElemOf(); if (tv.ty == Tstruct) { TypeStruct ts = cast(TypeStruct)tv; StructDeclaration sd = ts.sym; if (!sd.isPOD()) { ispod = StructPOD.no; break; } } } return (ispod == StructPOD.yes); } override final inout(StructDeclaration) isStructDeclaration() inout { return this; } override void accept(Visitor v) { v.visit(this); } } /********************************** * Determine if exp is all binary zeros. * Params: * exp = expression to check * Returns: * true if it's all binary 0 */ private bool _isZeroInit(Expression exp) { switch (exp.op) { case TOK.int64: return exp.toInteger() == 0; case TOK.null_: case TOK.false_: return true; case TOK.structLiteral: { auto sle = cast(StructLiteralExp) exp; foreach (i; 0 .. sle.sd.fields.dim) { auto field = sle.sd.fields[i]; if (field.type.size(field.loc)) { auto e = (*sle.elements)[i]; if (e ? !_isZeroInit(e) : !field.type.isZeroInit(field.loc)) return false; } } return true; } case TOK.arrayLiteral: { auto ale = cast(ArrayLiteralExp)exp; const dim = ale.elements ? ale.elements.dim : 0; if (ale.type.toBasetype().ty == Tarray) // if initializing a dynamic array return dim == 0; foreach (i; 0 .. dim) { if (!_isZeroInit(ale[i])) return false; } /* Note that true is returned for all T[0] */ return true; } case TOK.string_: { StringExp se = cast(StringExp)exp; if (se.type.toBasetype().ty == Tarray) // if initializing a dynamic array return se.len == 0; foreach (i; 0 .. se.len) { if (se.getCodeUnit(i)) return false; } return true; } case TOK.vector: { auto ve = cast(VectorExp) exp; return _isZeroInit(ve.e1); } case TOK.float64: case TOK.complex80: { import dmd.root.ctfloat : CTFloat; return (exp.toReal() is CTFloat.zero) && (exp.toImaginary() is CTFloat.zero); } default: return false; } } /*********************************************************** * Unions are a variation on structs. */ extern (C++) final class UnionDeclaration : StructDeclaration { extern (D) this(const ref Loc loc, Identifier id) { super(loc, id, false); } override Dsymbol syntaxCopy(Dsymbol s) { assert(!s); auto ud = new UnionDeclaration(loc, ident); return StructDeclaration.syntaxCopy(ud); } override const(char)* kind() const { return "union"; } override inout(UnionDeclaration) isUnionDeclaration() inout { return this; } override void accept(Visitor v) { v.visit(this); } }
D
/Users/shawngong/Centa/.build/debug/Fluent.build/Schema/Schema+Field.swift.o : /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Database/Database.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Database/Driver.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Entity/Entity.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/Memory+Filters.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/Memory+Group.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/Memory+Sort.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/MemoryDriver.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/Database+Preparation.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/Migration.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/Preparation.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/PreparationError.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Action.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Comparison.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Filter.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Group.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Join.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Limit.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Query.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Scope.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Sort.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/Children.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/Parent.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/RelationError.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/Siblings.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Database+Schema.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema+Creator.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema+Field.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema+Modifier.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQL+Query.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQL+Schema.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQL.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQLSerializer.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Utilities/Fluent+Node.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Users/shawngong/Centa/.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/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/shawngong/Centa/.build/debug/Node.swiftmodule /Users/shawngong/Centa/.build/debug/PathIndexable.swiftmodule /Users/shawngong/Centa/.build/debug/Polymorphic.swiftmodule /Users/shawngong/Centa/.build/debug/Fluent.build/Schema+Field~partial.swiftmodule : /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Database/Database.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Database/Driver.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Entity/Entity.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/Memory+Filters.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/Memory+Group.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/Memory+Sort.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/MemoryDriver.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/Database+Preparation.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/Migration.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/Preparation.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/PreparationError.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Action.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Comparison.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Filter.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Group.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Join.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Limit.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Query.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Scope.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Sort.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/Children.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/Parent.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/RelationError.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/Siblings.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Database+Schema.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema+Creator.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema+Field.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema+Modifier.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQL+Query.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQL+Schema.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQL.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQLSerializer.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Utilities/Fluent+Node.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Users/shawngong/Centa/.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/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/shawngong/Centa/.build/debug/Node.swiftmodule /Users/shawngong/Centa/.build/debug/PathIndexable.swiftmodule /Users/shawngong/Centa/.build/debug/Polymorphic.swiftmodule /Users/shawngong/Centa/.build/debug/Fluent.build/Schema+Field~partial.swiftdoc : /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Database/Database.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Database/Driver.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Entity/Entity.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/Memory+Filters.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/Memory+Group.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/Memory+Sort.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Memory/MemoryDriver.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/Database+Preparation.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/Migration.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/Preparation.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Preparation/PreparationError.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Action.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Comparison.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Filter.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Group.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Join.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Limit.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Query.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Scope.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Query/Sort.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/Children.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/Parent.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/RelationError.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Relations/Siblings.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Database+Schema.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema+Creator.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema+Field.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema+Modifier.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Schema/Schema.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/GeneralSQLSerializer.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQL+Query.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQL+Schema.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQL.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/SQL/SQLSerializer.swift /Users/shawngong/Centa/Packages/Fluent-1.4.0/Sources/Fluent/Utilities/Fluent+Node.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Users/shawngong/Centa/.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/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/shawngong/Centa/.build/debug/Node.swiftmodule /Users/shawngong/Centa/.build/debug/PathIndexable.swiftmodule /Users/shawngong/Centa/.build/debug/Polymorphic.swiftmodule
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_12_BeT-1334528121.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_12_BeT-1334528121.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
module android.java.android.view.Window_Callback; public import android.java.android.view.Window_Callback_d_interface; import arsd.jni : ImportExportImpl; mixin ImportExportImpl!Window_Callback; import import3 = android.java.android.view.View; import import11 = android.java.java.lang.Class; import import8 = android.java.android.view.ActionMode;
D
// ******************************************* // ZS_MM_EatBody // ------------- // geht davon aus, daß ein Body gefunden wurde // ******************************************* func void ZS_MM_EatBody() { Npc_SetPercTime (self, 1); Npc_PercEnable (self, PERC_ASSESSMAGIC, B_AssessMagic); //selbe Rkt wie Humans Npc_PercEnable (self, PERC_ASSESSDAMAGE, B_MM_AssessDamage); Npc_PercEnable (self, PERC_ASSESSOTHERSDAMAGE, B_MM_AssessOthersDamage); Npc_PercEnable (self, PERC_ASSESSMURDER, B_MM_AssessOthersDamage); AI_GotoNpc (self, other); AI_TurnToNpc(self, other); AI_PlayAni (self, "T_STAND_2_EAT"); self.aivar[AIV_MM_PRIORITY] = PRIO_EAT; //kann nur von PERC_AssessDamage auf PRIO_Attack gesetzt werden self.aivar[AIV_LASTBODY] = Hlp_GetInstanceID (other); self.aivar[AIV_TAPOSITION] = NOTINPOS; }; func int ZS_MM_EatBody_loop() { if (self.aivar[AIV_TAPOSITION] == NOTINPOS) { Npc_PercEnable (self, PERC_ASSESSENEMY, B_MM_AssessEnemy); //damit kein Ping-Pong entsteht, wenn Spieler 6-7m entfernt von Beute self.aivar[AIV_TAPOSITION] = ISINPOS; }; if !Hlp_IsValidNpc(other) //Body weg { Npc_ClearAIQueue(self); return LOOP_END; }; return LOOP_CONTINUE; }; func void ZS_MM_EatBody_end() { AI_PlayAni (self, "T_EAT_2_STAND"); };
D
/home/sniadek/Projects/advent-of-code-2019/day-four/target/debug/deps/day_four-28eca759b90f5cca: src/main.rs /home/sniadek/Projects/advent-of-code-2019/day-four/target/debug/deps/day_four-28eca759b90f5cca.d: src/main.rs src/main.rs:
D
# Additional options that are passed to the fexd. FEXOPTS="-v" # if fexd has to work with the dnotify-mechnism, adjust the maximum # of open directories #MAX_DIRS=8192
D
/* ---------------------------------------------------------------------------- * This file was automatically generated by SWIG (http://www.swig.org). * Version 3.0.0 * * Do not make changes to this file unless you know what you are doing--modify * the SWIG interface file instead. * ----------------------------------------------------------------------------- */ module SWIGTYPE_p_vtkTextCodec__OutputIterator; static import vtkd_im; class SWIGTYPE_p_vtkTextCodec__OutputIterator { private void* swigCPtr; public this(void* cObject, bool futureUse) { swigCPtr = cObject; } protected this() { swigCPtr = null; } public static void* swigGetCPtr(SWIGTYPE_p_vtkTextCodec__OutputIterator obj) { return (obj is null) ? null : obj.swigCPtr; } mixin vtkd_im.SwigOperatorDefinitions; }
D
/******************************************************************************* copyright: Copyright (c) 2006 Juan Jose Comellas. Все права защищены license: BSD стиль: $(LICENSE) author: Juan Jose Comellas <juanjo@comellas.com.ar> *******************************************************************************/ module io.selector.model; public import time.Time; public import io.model; /** * События, используемые для регистрации Провода к селектору и возвращаемые * в КлючеВыбора после вызова ИСелектор.выбери(). */ enum Событие: бцел { Нет = 0, // No событие // IMPORTANT: Do not change the значения of the following symbols. They were // установи in this way в_ карта the значения returned by the POSIX poll() // system вызов. Чит = (1 << 0), // POLLIN СрочноеЧтение = (1 << 1), // POLLPRI Зап = (1 << 2), // POLLOUT // The following события should not be использован when registering a провод в_ a // selector. They are only использован when returning события в_ the пользователь. Ошибка = (1 << 3), // POLLERR Зависание = (1 << 4), // POLLHUP НеверныйУк = (1 << 5) // POLLNVAL } /** * The КлючВыбора struct holds the information concerning the conduits и * their association в_ a selector. Each ключ keeps a reference в_ a registered * провод и the события that are в_ be tracked for it. The 'события' member * of the ключ can возьми two meanings, depending on where it's использован. If использован * with the регистрируй() метод of the selector it represents the события we want * в_ track; if использован внутри a foreach cycle on an ИНаборВыделений it represents * the события that have been detected for a провод. * * The КлючВыбора can also hold an optional объект via the 'атачмент' * member. This member is very convenient в_ keep application-specific данные * that will be needed when the tracked события are triggered. * * See $(LINK $(CODEURL)io.selector.ИСелектор), * $(LINK $(CODEURL)io.selector.ИНаборВыделений) */ struct КлючВыбора { /** * The провод referred в_ by the КлючВыбора. */ ИВыбираемый провод; /** * The registered (or selected) события as a bit маска of different Событие * значения. */ Событие события; /** * The attached Объект referred в_ by the КлючВыбора. */ Объект атачмент; /** * Check if a Чит событие имеется been associated в_ this КлючВыбора. */ public бул читаем_ли() { return ((события & Событие.Чит) != 0); } /** * Check if an СрочноеЧтение событие имеется been associated в_ this КлючВыбора. */ public бул срочноеЧтен_ли() { return ((события & Событие.СрочноеЧтение) != 0); } /** * Check if a Зап событие имеется been associated в_ this КлючВыбора. */ public бул записываем_ли() { return ((события & Событие.Зап) != 0); } /** * Check if an Ошибка событие имеется been associated в_ this КлючВыбора. */ public бул ошибка_ли() { return ((события & Событие.Ошибка) != 0); } /** * Check if a Зависание событие имеется been associated в_ this КлючВыбора. */ public бул зависание_ли() { return ((события & Событие.Зависание) != 0); } /** * Check if an НеверныйУк событие имеется been associated в_ this КлючВыбора. */ public бул невернУк_ли() { return ((события & Событие.НеверныйУк) != 0); } } /** * Контейнер that holds the КлючВыбора's for все the conduits that have * triggered события during a previous invocation в_ ИСелектор.выбери(). * Instances of this container are normally returned из_ calls в_ * ИСелектор.наборВыд(). */ interface ИНаборВыделений { /** * Returns the число of КлючВыбора's in the установи. */ public abstract бцел длина(); /** * Operator в_ iterate over a установи via a foreach блок. Note that any * modifications в_ the КлючВыбора will be ignored. */ public abstract цел opApply(цел delegate(ref КлючВыбора) дг); } /** * A selector is a multИПlexor for I/O события associated в_ a Провод. * все selectors must implement this interface. * * A selector needs в_ be инициализован by calling the открой() метод в_ пароль * it the начальное amount of conduits that it will укз и the maximum * amount of события that will be returned per вызов в_ выбери(). In Всё cases, * these значения are only hints и may not even be использован by the specific * ИСелектор implementation you choose в_ use, so you cannot сделай any * assumptions regarding что results из_ the вызов в_ выбери() (i.e. you * may принять ещё or less события per вызов в_ выбери() than что was passed * in the 'maxEvents' аргумент. The amount of conduits that the selector can * manage will be incremented dynamically if necessary. * * To добавь or modify провод registrations in the selector, use the регистрируй() * метод. To удали провод registrations из_ the selector, use the * отмениРег() метод. * * To жди for события из_ the conduits you need в_ вызов any of the выбери() * methods. The selector cannot be изменён из_ другой нить while * блокируется on a вызов в_ these methods. * * Once the selector is no longer использован you must вызов the закрой() метод so * that the selector can free any resources it may have allocated in the вызов * в_ открой(). * * Examples: * --- * import io.selector.model; * import io.СокетПровод; * import io.Stdout; * * ИСелектор selector; * СокетПровод conduit1; * СокетПровод conduit2; * MyClass object1; * MyClass object2; * цел eventCount; * * // Initialize the selector assuming that it will deal with 2 conduits и * // will принять 2 события per invocation в_ the выбери() метод. * selector.открой(2, 2); * * selector.регистрируй(провод, Событие.Чит, object1); * selector.регистрируй(провод, Событие.Зап, object2); * * eventCount = selector.выбери(); * * if (eventCount > 0) * { * сим[16] буфер; * цел счёт; * * foreach (КлючВыбора ключ, selector.наборВыд()) * { * if (ключ.читаем_ли()) * { * счёт = (cast(СокетПровод) ключ.провод).читай(буфер); * if (счёт != ИПровод.Кф) * { * Стдвыв.форматируй("Приёмd '{0}' из_ peer\n", буфер[0..счёт]); * selector.регистрируй(ключ.провод, Событие.Зап, ключ.атачмент); * } * else * { * selector.отмениРег(ключ.провод); * ключ.провод.закрой(); * } * } * * if (ключ.записываем_ли()) * { * счёт = (cast(СокетПровод) ключ.провод).пиши("MESSAGE"); * if (счёт != ИПровод.Кф) * { * Стдвыв.выведи("Sent 'MESSAGE' в_ peer\n"); * selector.регистрируй(ключ.провод, Событие.Чит, ключ.атачмент); * } * else * { * selector.отмениРег(ключ.провод); * ключ.провод.закрой(); * } * } * * if (ключ.ошибка_ли() || ключ.зависание_ли() || ключ.невернУк_ли()) * { * selector.отмениРег(ключ.провод); * ключ.провод.закрой(); * } * } * } * * selector.закрой(); * --- */ interface ИСелектор { /** * Initialize the selector. * * Параметры: * размер = значение that provопрes a hint for the maximum amount of * conduits that will be registered * maxEvents = значение that provопрes a hint for the maximum amount of * провод события that will be returned in the выделение * установи per вызов в_ выбери. */ public abstract проц открой(бцел размер, бцел maxEvents); /** * Free any operating system resources that may have been allocated in the * вызов в_ открой(). * * Примечания: * Not все of the selectors need в_ free resources другой than allocated * память, but those that do will normally also добавь a вызов в_ закрой() in * their destructors. */ public abstract проц закрой(); /** * Associate a провод в_ the selector и track specific I/O события. * If the провод is already часть of the selector, modify the события or * atachment. * * Параметры: * провод = провод that will be associated в_ the selector; * must be a действителен провод (i.e. not пусто и открой). * события = bit маска of Событие значения that represent the события that * will be tracked for the провод. * атачмент = optional объект with application-specific данные that will * be available when an событие is triggered for the провод * * Examples: * --- * ИСелектор selector; * СокетПровод провод; * MyClass объект; * * selector.регистрируй(провод, Событие.Чит | Событие.Зап, объект); * --- */ public abstract проц регистрируй(ИВыбираемый провод, Событие события, Объект атачмент = пусто); /** * Deprecated, use регистрируй instead */ deprecated public abstract проц повториРег(ИВыбираемый провод, Событие события, Объект атачмент = пусто); /** * Удали a провод из_ the selector. * * Параметры: * провод = провод that had been previously associated в_ the * selector; it can be пусто. * * Примечания: * Unregistering a пусто провод is allowed и no исключение is thrown * if this happens. */ public abstract проц отмениРег(ИВыбираемый провод); /** * Wait indefinitely for I/O события из_ the registered conduits. * * Возвращает: * The amount of conduits that have Приёмd события; 0 if no conduits * have Приёмd события внутри the specified таймаут и -1 if there * was an ошибка. */ public abstract цел выбери(); /** * Wait for I/O события из_ the registered conduits for a specified * amount of время. * * Параметры: * таймаут = ИнтервалВремени with the maximum amount of время that the * selector will жди for события из_ the conduits; the * amount of время is relative в_ the текущ system время * (i.e. just the число of milliseconds that the selector * имеется в_ жди for the события). * * Возвращает: * The amount of conduits that have Приёмd события; 0 if no conduits * have Приёмd события внутри the specified таймаут. */ public abstract цел выбери(ИнтервалВремени таймаут); /** * Wait for I/O события из_ the registered conduits for a specified * amount of время. * * Note: This representation of таймаут is not always accurate, so it is * possible that the function will return with a таймаут before the * specified период. For ещё accuracy, use the ИнтервалВремени version. * * Note: Implementers should define this метод as: * ------- * выбери(ИнтервалВремени.интервал(таймаут)); * ------- * * Параметры: * таймаут = the maximum amount of время in сек that the * selector will жди for события из_ the conduits; the * amount of время is relative в_ the текущ system время * (i.e. just the число of milliseconds that the selector * имеется в_ жди for the события). * * Возвращает: * The amount of conduits that have Приёмd события; 0 if no conduits * have Приёмd события внутри the specified таймаут. */ public abstract цел выбери(дво таймаут); /** * Return the выделение установи resulting из_ the вызов в_ any of the выбери() * methods. * * Примечания: * If the вызов в_ выбери() was unsuccessful or it dопр not return any * события, the returned значение will be пусто. */ public abstract ИНаборВыделений наборВыд(); /** * Return the выделение ключ resulting из_ the registration of a провод * в_ the selector. * * Примечания: * If the провод is not registered в_ the selector the returned * значение will КлючВыбора.init. No исключение will be thrown by this * метод. */ public abstract КлючВыбора ключ(ИВыбираемый провод); /** * Iterate through the currently registered выделение ключи. Note that you * should not erase or добавь any items из_ the selector while iterating, * although you can регистрируй existing conduits again. */ public abstract цел opApply(цел delegate(ref КлючВыбора sk) дг); }
D
/Users/azimin/Downloads/Hello2/.build/debug/HTTP.build/Async/Response+Async.swift.o : /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/URI.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/TLS.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/libc.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Core.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Sockets.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Transport.swiftmodule /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/azimin/Downloads/Hello2/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/azimin/Downloads/Hello2/.build/debug/CHTTP.build/module.modulemap /Users/azimin/Downloads/Hello2/.build/debug/CSQLite.build/module.modulemap /Users/azimin/Downloads/Hello2/.build/debug/HTTP.build/Response+Async~partial.swiftmodule : /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/URI.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/TLS.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/libc.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Core.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Sockets.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Transport.swiftmodule /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/azimin/Downloads/Hello2/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/azimin/Downloads/Hello2/.build/debug/CHTTP.build/module.modulemap /Users/azimin/Downloads/Hello2/.build/debug/CSQLite.build/module.modulemap /Users/azimin/Downloads/Hello2/.build/debug/HTTP.build/Response+Async~partial.swiftdoc : /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Async/Response+Async.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/ResponseRepresentable.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/BodyRepresentable.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Messages/Message+CustomStringConvertible.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Response/Response.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Middleware/Middleware+Chaining.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Method/Method+String.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Response+Chunk.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/Body+Chunk.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Chunk/ChunkStream.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Version/Version.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/URI+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Response+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Client+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/FoundationClient/Request+Foundation.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/Responder.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Responder/AsyncResponder.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServerWorker.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/CHTTPParser.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ResponseParser.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/RequestParser.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/Server.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/BasicServer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/AsyncServer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/Serializer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/ResponseSerializer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/RequestSerializer.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParserError.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ServerError.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Serializer/SerializerError.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body+Bytes.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Headers/Headers.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Parser/ParseResults.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Status/Status.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/HTTP+Client.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Client/Client.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Request/Request.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Server/ThreadsafeArray.swift /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/HTTP/Body/Body.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreText.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/URI.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/TLS.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/libc.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Core.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Random.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Sockets.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Bits.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/azimin/Downloads/Hello2/.build/debug/Transport.swiftmodule /Users/azimin/Downloads/Hello2/.build/checkouts/engine.git-3311994267206676365/Sources/CHTTP/include/http_parser.h /Users/azimin/Downloads/Hello2/.build/checkouts/ctls.git-9210868160426949823/module.modulemap /Users/azimin/Downloads/Hello2/.build/debug/CHTTP.build/module.modulemap /Users/azimin/Downloads/Hello2/.build/debug/CSQLite.build/module.modulemap
D
module yagg.widget; import yagg.placeholder; // base class for widgets class Widget { private: OnClick on_click_; public: bool isMouseOver = false; alias void delegate() OnClick; @property onClick(OnClick handler) { on_click_ = handler; } @property onClick() { if(on_click_ !is null) on_click_(); } Placeholder placeholder; bool visible; string caption; abstract void draw(); abstract void update(); }
D
module misanthropyd.platform.opengl.oglbuffers; import bindbc.opengl; import misanthropyd.renderer.buffers; /// implements VertexBuffer with OpenGL class OGLVertexBuffer : VertexBuffer { /// constructor this(const float[] vertices) nothrow @nogc { glCreateBuffers(1, &id_); glBindBuffer(GL_ARRAY_BUFFER, id_); glBufferData(GL_ARRAY_BUFFER, vertices.length * float.sizeof, vertices.ptr, GL_STATIC_DRAW); } /// construct dynamic draw for data to fill later this(size_t size) nothrow @nogc { glCreateBuffers(1, &id_); glBindBuffer(GL_ARRAY_BUFFER, id_); glBufferData(GL_ARRAY_BUFFER, size, null, GL_DYNAMIC_DRAW); } /// destructor ~this() nothrow @nogc { glDeleteBuffers(1, &id_); } /// binds override void bind() const nothrow @nogc { glBindBuffer(GL_ARRAY_BUFFER, id_); } /// unbinds override void unbind() const nothrow @nogc { glBindBuffer(GL_ARRAY_BUFFER, 0); } /// sets the data in the buffer override void setData(const ubyte[] data) nothrow @nogc { glBindBuffer(GL_ARRAY_BUFFER, id_); glBufferSubData(GL_ARRAY_BUFFER, 0, data.length, data.ptr); } /// describes a layout override VertexBuffer describeLayout(const TypeInfo t, const size_t num, const bool normalized, const string name, const size_t size) { glBindBuffer(GL_ARRAY_BUFFER, id_); GLenum type; if(t.toString == "float") { type = GL_FLOAT; } else if(t.toString == "int") { type = GL_INT; } else { assert(false, "Type not supported yet"); } glEnableVertexAttribArray(cast(ulong)(attrCounter_)); glVertexAttribPointer(attrCounter_, cast(int)num, type, normalized ? GL_TRUE : GL_FALSE, cast(int)size, cast(void*)offsetCounter_); ++attrCounter_; offsetCounter_ += t.tsize * num; return this; } private { uint id_; uint attrCounter_; size_t offsetCounter_; } } /// opengl implementation of index buffer class OGLIndexBuffer : IndexBuffer { /// ctor this(const uint []indices) nothrow @nogc { count_ = cast(uint)indices.length; glCreateBuffers(1, &id_); glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, id_); glBufferData(GL_ELEMENT_ARRAY_BUFFER, indices.length * uint.sizeof, indices.ptr, GL_STATIC_DRAW); } ~this() nothrow @nogc { glDeleteBuffers(1, &id_); } /// binds override void bind() const nothrow @nogc { glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, id_); } /// unbinds override void unbind() const nothrow @nogc { glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, 0); } /// count property override uint count() const nothrow pure @nogc @safe { return count_; } private { uint count_; uint id_; } }
D
func void uselehren_der_goetter1_bookstand() { var int nDocID; nDocID = Doc_Create(); Doc_SetPages(nDocID,2); Doc_SetPage(nDocID,0,"Book_Red_L.tga",0); Doc_SetPage(nDocID,1,"Book_Red_R.tga",0); Doc_SetMargins(nDocID,0,275,20,30,20,1); Doc_SetFont(nDocID,-1,"font_10_book.tga"); Doc_PrintLine(nDocID,0,""); Doc_PrintLines(nDocID,0,"Hear the words of the gods, for it is their will that you shall hear them. Heed the teachings of the gods, for it is their will that you shall heed them. Honor the priests of the gods, for they are the chosen ones."); Doc_PrintLine(nDocID,0,""); Doc_PrintLines(nDocID,0,"The word of Innos: And if it shall happen that you do not understand, do not despair at the words of the priests, for they are just and wise. For I am the rising sun, the light, and the life. And all that is contrary to the sun is contrary to me, and shall be banished to the shadows forever more."); Doc_SetMargins(nDocID,-1,30,20,275,20,1); Doc_PrintLine(nDocID,1,""); Doc_PrintLines(nDocID,1,"The word of Adanos: Work and live, for the day was created so that man may work. Seek learning and knowledge so that you may pass it on, for it is for that purpose that you were created. But whosoever shall be listless and idle, he shall be banished to the shadows forever more."); Doc_PrintLine(nDocID,1,""); Doc_PrintLines(nDocID,1,"The word of Beliar: But whosoever shall do wrong and go against the will of the gods, him I will punish. I will plague his body with pain, suffering and death, but his spirit shall join me in the shadows forever more. "); Doc_Show(nDocID); };
D
module UnrealScript.Engine.ParticleModuleStoreSpawnTimeBase; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.Engine.ParticleModule; extern(C++) interface ParticleModuleStoreSpawnTimeBase : ParticleModule { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class Engine.ParticleModuleStoreSpawnTimeBase")); } private static __gshared ParticleModuleStoreSpawnTimeBase mDefaultProperties; @property final static ParticleModuleStoreSpawnTimeBase DefaultProperties() { mixin(MGDPC("ParticleModuleStoreSpawnTimeBase", "ParticleModuleStoreSpawnTimeBase Engine.Default__ParticleModuleStoreSpawnTimeBase")); } }
D
import core.experimental.stdcpp.array; unittest { array!(int, 5) arr; arr[] = [0, 2, 3, 4, 5]; ++arr.front; assert(arr.size == 5); assert(arr.length == 5); assert(arr.max_size == 5); assert(arr.empty == false); assert(arr.front == 1); assert(sumOfElements_val(arr)[0] == 160); assert(sumOfElements_ref(arr)[0] == 15); array!(int, 0) arr2; assert(arr2.size == 0); assert(arr2.length == 0); assert(arr2.max_size == 0); assert(arr2.empty == true); assert(arr2[] == []); } extern(C++): // test the ABI for calls to C++ array!(int, 5) sumOfElements_val(array!(int, 5) arr); ref array!(int, 5) sumOfElements_ref(return ref array!(int, 5) arr); // test the ABI for calls from C++ array!(int, 5) fromC_val(array!(int, 5) arr) { assert(arr[] == [1, 2, 3, 4, 5]); assert(arr.front == 1); assert(arr.back == 5); assert(arr.at(2) == 3); arr.fill(2); int r; foreach (e; arr) r += e; assert(r == 10); arr[] = r; return arr; } ref array!(int, 5) fromC_ref(return ref array!(int, 5) arr) { int r; foreach (e; arr) r += e; arr[] = r; return arr; }
D
module UnrealScript.TribesGame.GFxTrPage_ServerCallin; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.TribesGame.GFxTrAction; import UnrealScript.TribesGame.GFxTrPage; import UnrealScript.GFxUI.GFxObject; extern(C++) interface GFxTrPage_ServerCallin : GFxTrPage { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.GFxTrPage_ServerCallin")); } private static __gshared GFxTrPage_ServerCallin mDefaultProperties; @property final static GFxTrPage_ServerCallin DefaultProperties() { mixin(MGDPC("GFxTrPage_ServerCallin", "GFxTrPage_ServerCallin TribesGame.Default__GFxTrPage_ServerCallin")); } static struct Functions { private static __gshared { ScriptFunction mInitialize; ScriptFunction mSpecialAction; ScriptFunction mFillData; ScriptFunction mFillOption; ScriptFunction mSetSubTitle; ScriptFunction mCheckDescription; ScriptFunction mFillDescription; ScriptFunction mShowModel; } public @property static final { ScriptFunction Initialize() { mixin(MGF("mInitialize", "Function TribesGame.GFxTrPage_ServerCallin.Initialize")); } ScriptFunction SpecialAction() { mixin(MGF("mSpecialAction", "Function TribesGame.GFxTrPage_ServerCallin.SpecialAction")); } ScriptFunction FillData() { mixin(MGF("mFillData", "Function TribesGame.GFxTrPage_ServerCallin.FillData")); } ScriptFunction FillOption() { mixin(MGF("mFillOption", "Function TribesGame.GFxTrPage_ServerCallin.FillOption")); } ScriptFunction SetSubTitle() { mixin(MGF("mSetSubTitle", "Function TribesGame.GFxTrPage_ServerCallin.SetSubTitle")); } ScriptFunction CheckDescription() { mixin(MGF("mCheckDescription", "Function TribesGame.GFxTrPage_ServerCallin.CheckDescription")); } ScriptFunction FillDescription() { mixin(MGF("mFillDescription", "Function TribesGame.GFxTrPage_ServerCallin.FillDescription")); } ScriptFunction ShowModel() { mixin(MGF("mShowModel", "Function TribesGame.GFxTrPage_ServerCallin.ShowModel")); } } } @property final auto ref { int ORBNumber() { mixin(MGPC("int", 364)); } int SUPNumber() { mixin(MGPC("int", 360)); } int TACNumber() { mixin(MGPC("int", 356)); } } final: void Initialize() { (cast(ScriptObject)this).ProcessEvent(Functions.Initialize, cast(void*)0, cast(void*)0); } void SpecialAction(GFxTrAction Action) { ubyte params[4]; params[] = 0; *cast(GFxTrAction*)params.ptr = Action; (cast(ScriptObject)this).ProcessEvent(Functions.SpecialAction, params.ptr, cast(void*)0); } void FillData(GFxObject DataList) { ubyte params[4]; params[] = 0; *cast(GFxObject*)params.ptr = DataList; (cast(ScriptObject)this).ProcessEvent(Functions.FillData, params.ptr, cast(void*)0); } GFxObject FillOption(int ActionIndex) { ubyte params[8]; params[] = 0; *cast(int*)params.ptr = ActionIndex; (cast(ScriptObject)this).ProcessEvent(Functions.FillOption, params.ptr, cast(void*)0); return *cast(GFxObject*)&params[4]; } void SetSubTitle(float val, GFxObject Obj) { ubyte params[8]; params[] = 0; *cast(float*)params.ptr = val; *cast(GFxObject*)&params[4] = Obj; (cast(ScriptObject)this).ProcessEvent(Functions.SetSubTitle, params.ptr, cast(void*)0); } void CheckDescription(GFxObject DataList) { ubyte params[4]; params[] = 0; *cast(GFxObject*)params.ptr = DataList; (cast(ScriptObject)this).ProcessEvent(Functions.CheckDescription, params.ptr, cast(void*)0); } GFxObject FillDescription(GFxObject DataList) { ubyte params[8]; params[] = 0; *cast(GFxObject*)params.ptr = DataList; (cast(ScriptObject)this).ProcessEvent(Functions.FillDescription, params.ptr, cast(void*)0); return *cast(GFxObject*)&params[4]; } void ShowModel() { (cast(ScriptObject)this).ProcessEvent(Functions.ShowModel, cast(void*)0, cast(void*)0); } }
D
module des.math.linear.matrix; import std.math; import std.traits; import std.algorithm; import std.range; import std.array; import std.exception; import des.util.testsuite; import des.math.util; import des.math.linear.vector; import des.math.linear.quaterni; import des.math.basic.traits; /// template isMatrix(E) { enum isMatrix = is( typeof( impl(E.init) ) ); void impl(size_t H,size_t W,T)( Matrix!(H,W,T) ){} } /// template isStaticMatrix(E) { static if( !isMatrix!E ) enum isStaticMatrix = false; else enum isStaticMatrix = E.isStatic; } /// template isDynamicMatrix(E) { static if( !isMatrix!E ) enum isDynamicMatrix = false; else enum isDynamicMatrix = E.isDynamic; } unittest { static assert( !isStaticMatrix!float ); static assert( !isDynamicMatrix!float ); } private @property { import std.string; string identityMatrixDataString(size_t S)() { return diagMatrixDataString!(S,S)(1); } string zerosMatrixDataString(size_t H, size_t W)() { return diagMatrixDataString!(H,W)(0); } string diagMatrixDataString(size_t H, size_t W)( size_t val ) { string[] ret; foreach( i; 0 .. H ) { string[] buf; foreach( j; 0 .. W ) buf ~= format( "%d", i == j ? val : 0 ); ret ~= "[" ~ buf.join(",") ~ "]"; } return "[" ~ ret.join(",") ~ "]"; } unittest { assert( identityMatrixDataString!3 == "[[1,0,0],[0,1,0],[0,0,1]]" ); assert( zerosMatrixDataString!(3,3) == "[[0,0,0],[0,0,0],[0,0,0]]" ); } string castArrayString(string type, size_t H, size_t W)() { return format( "cast(%s[%d][%d])", type, W, H ); } } /++ +/ struct Matrix(size_t H, size_t W, E) { /// alias selftype = Matrix!(H,W,E); /// alias datatype = E; /// `H == 0 || W == 0` enum bool isDynamic = H == 0 || W == 0; /// `H != 0 && W != 0` enum bool isStatic = H != 0 && W != 0; /// `H == 0` enum bool isDynamicHeight = H == 0; /// `H != 0` enum bool isStaticHeight = H != 0; /// `W == 0` enum bool isDynamicWidth = W == 0; /// `W != 0` enum bool isStaticWidth = W != 0; /// `isStaticHeight && isDynamicWidth` enum bool isStaticHeightOnly = isStaticHeight && isDynamicWidth; /// `isStaticWidth && isDynamicHeight` enum bool isStaticWidthOnly = isStaticWidth && isDynamicHeight; /// `isDynamicHeight && isDynamicWidth` enum bool isDynamicAll = isDynamicHeight && isDynamicWidth; /// `isStaticWidthOnly || isStaticHeightOnly` enum bool isDynamicOne = isStaticWidthOnly || isStaticHeightOnly; static if( isStatic ) { static if( isNumeric!E ) { static if( H == W ) /// static data ( if isNumeric!E fills valid numbers: if squred then identity matrix else zeros ) E[W][H] data = mixin( castArrayString!("E",H,H) ~ identityMatrixDataString!H ); else E[W][H] data = mixin( castArrayString!("E",H,W) ~ zerosMatrixDataString!(H,W) ); } else E[W][H] data; } else static if( isStaticWidthOnly ) /// static width only E[W][] data; else static if( isStaticHeightOnly ) /// static height only E[][H] data; else /// full dynamic E[][] data; /// alias data this; pure: private static bool allowSomeOp(size_t A, size_t B ) { return A==B || A==0 || B==0; } static if( isStatic || isDynamicOne ) { /++ fill data and set dynamic size for `isDynamicOne` matrix only: if( isStatic || isDynamicOne ) +/ this(X...)( in X vals ) if( is(typeof(flatData!E(vals))) ) { static if( isStatic ) { static if( hasNoDynamic!X ) { static if( X.length > 1 ) { static assert( getElemCount!X == W*H, "wrong args count" ); static assert( isConvertable!(E,X), "wrong args type" ); mixin( matrixStaticFill!("E","data","vals",W,E,X) ); } else static if( X.length == 1 && isStaticMatrix!(X[0]) ) { static assert( X[0].width == W && X[0].height == H ); foreach( y; 0 .. H ) foreach( x; 0 .. W ) data[y][x] = vals[0][y][x]; } else enum __DF=true; } else enum __DF=true; static if( is(typeof(__DF)) ) _fillData( flatData!E(vals) ); } else static if( isStaticWidthOnly ) { auto buf = flatData!E(vals); enforce( !(buf.length%W), "wrong args length" ); resize( buf.length/W, W ); _fillData( buf ); } else static if( isStaticHeightOnly ) { auto buf = flatData!E(vals); enforce( !(buf.length%H), "wrong args length" ); resize( H, buf.length/H ); _fillData( buf ); } } } else { /++ set size and fill data only: if( isDynamicAll ) +/ this(X...)( size_t iH, size_t iW, in X vals ) { auto buf = flatData!E(vals); enforce( buf.length == iH * iW || buf.length == 1, "wrong args length" ); resize( iH, iW ); _fillData( buf ); } /++ set size only: if( isDynamicAll ) +/ this( size_t iH, size_t iW ) { resize( iH, iW ); } } /// this(size_t oH, size_t oW, X)( in Matrix!(oH,oW,X) mtr ) if( is( typeof( E(X.init) ) ) ) { static if( isDynamic ) resize( mtr.height, mtr.width ); foreach( i; 0 .. mtr.height ) foreach( j; 0 .. mtr.width ) data[i][j] = E(mtr[i][j]); } static if( isDynamic ) { /++ only: if( isDynamic ) +/ this(this) { data = data.dup; foreach( ref row; data ) row = row.dup; } /++ only: if( isDynamic ) +/ ref typeof(this) opAssign(size_t bH, size_t bW, X)( in Matrix!(bH,bW,X) b ) if( allowSomeOp(H,bH) && allowSomeOp(W,bW) && is(typeof(E(X.init))) ) { static if( isStaticHeight && b.isDynamicHeight ) enforce( height == b.height, "wrong height" ); static if( isStaticWidth && b.isDynamicWidth ) enforce( width == b.width, "wrong width" ); static if( isDynamic ) resize(b.height,b.width); _fillData(flatData!E(b.data)); return this; } } private void _fillData( in E[] vals... ) { enforce( vals.length > 0, "no vals to fill" ); if( vals.length > 1 ) { enforce( vals.length == height * width, "wrong vals length" ); size_t k = 0; foreach( ref row; data ) foreach( ref v; row ) v = vals[k++]; } else foreach( ref row; data ) row[] = vals[0]; } /// fill data ref typeof(this) fill( in E[] vals... ) { _fillData( vals ); return this; } static if( (W==H && isStatic) || isDynamicOne ) { /++ get diagonal matrix, diagonal elements fills cyclically only: if( (W==H && isStatic) || isDynamicOne ) +/ static auto diag(X...)( in X vals ) if( X.length > 0 && is(typeof(E(0))) && is(typeof(flatData!E(vals))) ) { selftype ret; static if( isStaticHeight ) auto L = H; else auto L = W; static if( ret.isDynamic ) ret.resize(L,L); ret._fillData( E(0) ); ret.fillDiag( flatData!E(vals) ); return ret; } } /// ref typeof(this) fillDiag( in E[] vals... ) { enforce( vals.length > 0, "no vals to fill" ); enforce( height == width, "not squared" ); size_t k = 0; foreach( i; 0 .. height ) data[i][i] = vals[k++%$]; return this; } static if( isStaticHeight ) /++ only: if( isStaticHeight ) +/ enum height = H; else { /// if isStaticHeight it's enum (not available to set) @property size_t height() const { return data.length; } /// if isStaticHeight it's enum (not available to set) @property size_t height( size_t nh ) { resize( nh, width ); return nh; } } static if( isStaticWidth ) /++ only: if( isStaticWidth ) +/ enum width = W; else { private size_t _width = W; /// if isStaticWidth it's enum (not available to set) @property size_t width() const { return _width; } /// if isStaticWidth it's enum (not available to set) @property size_t width( size_t nw ) { resize( height, nw ); return nw; } } static if( isDynamic ) { /++ resize dynamic matrix, new height/width must equals static height/width only: if( isDynamic ) +/ ref typeof(this) resize( size_t nh, size_t nw ) { static if( isStaticHeight ) enforce( nh == H, "height is static" ); static if( isStaticWidth ) enforce( nw == W, "width is static" ); static if( isDynamicHeight ) data.length = nh; static if( isDynamicWidth ) { _width = nw; foreach( i; 0 .. height ) data[i].length = nw; } return this; } } /// auto expandHeight(size_t bH, size_t bW, X)( in Matrix!(bH,bW,X) mtr ) const if( (bW==W||W==0||bW==0) && is(typeof(E(X.init))) ) { static if( isDynamicWidth || mtr.isDynamicWidth ) enforce( mtr.width == width, "wrong width" ); auto ret = Matrix!(0,W,E)(this); auto last_height = height; ret.resize( ret.height + mtr.height, width ); foreach( i; 0 .. mtr.height ) foreach( j; 0 .. width ) ret.data[last_height+i][j] = E(mtr.data[i][j]); return ret; } /// auto expandHeight(X...)( in X vals ) const if( is(typeof(Matrix!(1,W,E)(vals))) ) { return expandHeight( Matrix!(1,W,E)(vals) ); } /// auto expandWidth(size_t bH, size_t bW, X)( in Matrix!(bH,bW,X) mtr ) const if( (bH==H||H==0||bH==0) && is(typeof(E(X.init))) ) { static if( isDynamicHeight || mtr.isDynamicHeight ) enforce( mtr.height == height, "wrong height" ); auto ret = Matrix!(H,0,E)(this); auto last_width = width; ret.resize( height, ret.width + mtr.width ); foreach( i; 0 .. height ) foreach( j; 0 .. mtr.width ) ret.data[i][last_width+j] = E(mtr.data[i][j]); return ret; } /// auto expandWidth(X...)( in X vals ) const if( is(typeof(Matrix!(H,1,E)(vals))) ) { return expandWidth( Matrix!(H,1,E)(vals) ); } /// auto asArray() const @property { auto ret = new E[](width*height); foreach( i; 0 .. height ) foreach( j; 0 .. width ) ret[i*width+j] = data[i][j]; return ret; } /// auto sliceHeight( size_t start, size_t count=0 ) const { enforce( start < height ); count = count ? count : height - start; auto ret = Matrix!(0,W,E)(this); ret.resize( count, width ); foreach( i; 0 .. count ) ret.data[i][] = data[start+i][]; return ret; } /// auto sliceWidth( size_t start, size_t count=0 ) const { enforce( start < width ); count = count ? count : width - start; auto ret = Matrix!(H,0,E)(this); ret.resize( height, count ); foreach( i; 0 .. height ) foreach( j; 0 .. count ) ret.data[i][j] = data[i][start+j]; return ret; } /// auto opUnary(string op)() const if( op == "-" && is( typeof( E.init * (-1) ) ) ) { auto ret = selftype(this); foreach( ref row; ret.data ) foreach( ref v; row ) v = v * -1; return ret; } private void checkCompatible(size_t bH, size_t bW, X)( in Matrix!(bH,bW,X) mtr ) const { static if( isDynamicHeight || mtr.isDynamicHeight ) enforce( height == mtr.height, "wrong height" ); static if( isDynamicWidth || mtr.isDynamicWidth ) enforce( width == mtr.width, "wrong width" ); } /// auto opBinary(string op, size_t bH, size_t bW, X)( in Matrix!(bH,bW,X) mtr ) const if( (op=="+"||op=="-") && allowSomeOp(H,bH) && allowSomeOp(W,bW) ) { checkCompatible( mtr ); auto ret = selftype(this); foreach( i; 0 .. height ) foreach( j; 0 .. width ) mixin( `ret[i][j] = E(data[i][j] ` ~ op ~ ` mtr[i][j]);` ); return ret; } /// auto opBinary(string op,X)( in X b ) const if( (op!="+" && op!="-") && isValidOp!(op,E,X) ) { auto ret = selftype(this); foreach( i; 0 .. height ) foreach( j; 0 .. width ) mixin( `ret[i][j] = E(data[i][j] ` ~ op ~ ` b);` ); return ret; } /// auto opBinary(string op,size_t bH, size_t bW, X)( in Matrix!(bH,bW,X) mtr ) const if( op=="*" && allowSomeOp(W,bH) && isValidOp!("*",E,X) ) { static if( isDynamic || mtr.isDynamic ) enforce( width == mtr.height, "incompatible sizes for mul" ); Matrix!(H,bW,E) ret; static if( ret.isDynamic ) ret.resize(height,mtr.width); foreach( i; 0 .. height ) foreach( j; 0 .. mtr.width ) { ret[i][j] = E( data[i][0] * mtr.data[0][j] ); foreach( k; 1 .. width ) ret[i][j] = ret[i][j] + E( data[i][k] * mtr.data[k][j] ); } return ret; } /// ref typeof(this) opOpAssign(string op, E)( in E b ) if( mixin( `is( typeof( selftype.init ` ~ op ~ ` E.init ) == selftype )` ) ) { mixin( `return this = this ` ~ op ~ ` b;` ); } /// bool opCast(E)() const if( is( E == bool ) ) { foreach( v; asArray ) if( !isFinite(v) ) return false; return true; } /// transponate auto T() const @property { Matrix!(W,H,E) ret; static if( isDynamic ) ret.resize(width,height); foreach( i; 0 .. height) foreach( j; 0 .. width ) ret[j][i] = data[i][j]; return ret; } /// ref typeof(this) setCol(X...)( size_t no, in X vals ) if( is(typeof(flatData!E(vals))) ) { enforce( no < width, "bad col index" ); auto buf = flatData!E(vals); enforce( buf.length == height, "bad data length" ); foreach( i; 0 .. height ) data[i][no] = buf[i]; return this; } /// ref typeof(this) setRow(X...)( size_t no, in X vals ) if( is(typeof(flatData!E(vals))) ) { enforce( no < height, "bad row index" ); auto buf = flatData!E(vals); enforce( buf.length == width, "bad data length" ); data[no][] = buf[]; return this; } /// ref typeof(this) setRect(size_t bH, size_t bW, X)( size_t pos_row, size_t pos_col, in Matrix!(bH,bW,X) mtr ) if( is(typeof(E(X.init))) ) { enforce( pos_row < height, "bad row index" ); enforce( pos_col < width, "bad col index" ); enforce( pos_row + mtr.height <= height, "bad height size" ); enforce( pos_col + mtr.width <= width, "bad width size" ); foreach( i; 0 .. mtr.height ) foreach( j; 0 .. mtr.width ) data[i+pos_row][j+pos_col] = E(mtr[i][j]); return this; } /// auto col( size_t no ) const { enforce( no < width, "bad col index" ); Matrix!(H,1,E) ret; static if( ret.isDynamic ) ret.resize(height,1); foreach( i; 0 .. height ) ret[i][0] = data[i][no]; return ret; } /// auto row( size_t no ) const { enforce( no < height, "bad row index" ); Matrix!(1,W,E) ret; static if( ret.isDynamic ) ret.resize(1,width); ret[0][] = data[no][]; return ret; } /// auto opBinary(string op,size_t K,X)( in Vector!(K,X) v ) const if( op=="*" && allowSomeOp(W,K) && isValidOp!("*",E,X) && isValidOp!("+",E,E) ) { static if( isDynamic || v.isDynamic ) enforce( width == v.length, "wrong vector length" ); Vector!(H,E) ret; static if( ret.isDynamic ) ret.length = height; foreach( i; 0 .. height ) { ret[i] = data[i][0] * v[0]; foreach( j; 1 .. width ) ret[i] = ret[i] + E(data[i][j] * v[j]); } return ret; } /// auto opBinaryRight(string op,size_t K,X)( in Vector!(K,X) v ) const if( op=="*" && isVector!(typeof(selftype.init.T * typeof(v).init)) ) { return this.T * v; } static if( W==4 && ( H==4 || H==3 ) && isFloatingPoint!E ) { /++ transform vector, equals `( m * vec4( v, fc ) ).xyz` only: W==4 && ( H==4 || H==3 ) && isFloatingPoint!E +/ Vector!(3,E) tr(X)( in Vector!(3,X) v, E fc ) const { return ( this * Vector!(4,E)( v, fc ) ).xyz; } /++ project vector + + equals: + --- + auto r = m * vec4( v, fc ); + return r.xyz / r.w; + --- + only: + W==4 && ( H==4 || H==3 ) && isFloatingPoint!E +/ Vector!(3,E) prj(X)( in Vector!(3,X) v, E fc ) const { auto r = this * Vector!(4,E)( v, fc ); return r.xyz / r.w; } @property { /// Vector!(3,E) offset() const { return Vector!(3,E)( cast(E[3])( col(3).data[0..3] ) ); } /// Vector!(3,X) offset(X)( in Vector!(3,X) v ) { setCol(3, Vector!(4,E)( v, data[3][3] ) ); return v; } } } static private size_t[] getIndexesWithout(size_t max, in size_t[] arr) { size_t[] ret; foreach( i; 0 .. max ) if( !canFind(arr,i) ) ret ~= i; return ret; } /// auto subWithout( size_t[] without_rows=[], size_t[] without_cols=[] ) const { auto with_rows = getIndexesWithout(height,without_rows); auto with_cols = getIndexesWithout(width,without_cols); return sub( with_rows,with_cols ); } /// get sub matrix auto sub( size_t[] with_rows, size_t[] with_cols ) const { auto wrows = array( uniq(with_rows) ); auto wcols = array( uniq(with_cols) ); enforce( all!(a=>a<height)( wrows ), "bad row index" ); enforce( all!(a=>a<width)( wcols ), "bad col index" ); Matrix!(0,0,E) ret; ret.resize( wrows.length, wcols.length ); foreach( i, orig_i; wrows ) foreach( j, orig_j; wcols ) ret[i][j] = data[orig_i][orig_j]; return ret; } static if( isFloatingPoint!E && ( isDynamicAll || ( isStaticHeightOnly && H > 1 ) || ( isStaticWidthOnly && W > 1 ) || ( isStatic && W == H ) ) ) { /// E cofactor( size_t i, size_t j ) const { return subWithout([i],[j]).det * coef(i,j); } private static nothrow @trusted auto coef( size_t i, size_t j ) { return ((i+j)%2?-1:1); } /// auto det() const @property { static if( isDynamic ) enforce( width == height, "not square matrix" ); static if( isDynamic ) { if( width == 1 ) return data[0][0]; else if( width == 2 ) return data[0][0] * data[1][1] - data[0][1] * data[1][0]; else return classicDet; } else { static if( W == 1 ) return data[0][0]; else static if( W == 2 ) return data[0][0] * data[1][1] - data[0][1] * data[1][0]; else return classicDet; } } private @property classicDet() const { auto i = 0UL; // TODO: find max zeros line auto ret = data[i][0] * cofactor(i,0); foreach( j; 1 .. width ) ret = ret + data[i][j] * cofactor(i,j); return ret; } /// auto inv() const @property { static if( isDynamic ) enforce( width == height, "not square matrix" ); else static assert( W==H, "not square matrix" ); selftype buf; static if( isDynamic ) buf.resize(height,width); foreach( i; 0 .. height ) foreach( j; 0 .. width ) buf[i][j] = cofactor(i,j); auto i = 0UL; // TODO: find max zeros line auto d = data[i][0] * buf[i][0]; foreach( j; 1 .. width ) d = d + data[i][j] * buf[i][j]; return buf.T / d; } static if( (isStaticHeightOnly && H==4) || (isStaticWidthOnly && W==4) || (isStatic && H==W && H==4) || isDynamicAll ) { /++ only for transform matrix +/ @property auto speedTransformInv() const { static if( isDynamic ) { enforce( width == height, "not square matrix" ); enforce( width == 4, "matrix must be 4x4" ); } selftype ret; static if( isDynamic ) ret.resize( height, width ); foreach( i; 0 .. 3 ) foreach( j; 0 .. 3 ) ret[i][j] = this[j][i]; auto a22k = 1.0 / this[3][3]; ret[0][3] = -( ret[0][0] * this[0][3] + ret[0][1] * this[1][3] + ret[0][2] * this[2][3] ) * a22k; ret[1][3] = -( ret[1][0] * this[0][3] + ret[1][1] * this[1][3] + ret[1][2] * this[2][3] ) * a22k; ret[2][3] = -( ret[2][0] * this[0][3] + ret[2][1] * this[1][3] + ret[2][2] * this[2][3] ) * a22k; ret[3][0] = -( this[3][0] * ret[0][0] + this[3][1] * ret[1][0] + this[3][2] * ret[2][0] ) * a22k; ret[3][1] = -( this[3][0] * ret[0][1] + this[3][1] * ret[1][1] + this[3][2] * ret[2][1] ) * a22k; ret[3][2] = -( this[3][0] * ret[0][2] + this[3][1] * ret[1][2] + this[3][2] * ret[2][2] ) * a22k; ret[3][3] = a22k * ( 1.0 - ( this[3][0] * ret[0][3] + this[3][1] * ret[1][3] + this[3][2] * ret[2][3] ) ); return ret; } } /// auto rowReduceInv() const @property { static if( isDynamic ) enforce( width == height, "not square matrix" ); auto ln = height; auto orig = selftype(this); selftype invt; static if( isDynamic ) { invt.resize(ln,ln); foreach( i; 0 .. ln ) foreach( j; 0 .. ln ) invt[i][j] = E(i==j); } foreach( r; 0 .. ln-1 ) { auto k = E(1) / orig[r][r]; foreach( c; 0 .. ln ) { orig[r][c] *= k; invt[r][c] *= k; } foreach( rr; r+1 .. ln ) { auto v = orig[rr][r]; foreach( c; 0 .. ln ) { orig[rr][c] -= orig[r][c] * v; invt[rr][c] -= invt[r][c] * v; } } } foreach_reverse( r; 1 .. ln ) { auto k = E(1) / orig[r][r]; foreach( c; 0 .. ln ) { orig[r][c] *= k; invt[r][c] *= k; } foreach_reverse( rr; 0 .. r ) { auto v = orig[rr][r]; foreach( c; 0 .. ln ) { orig[rr][c] -= orig[r][c] * v; invt[rr][c] -= invt[r][c] * v; } } } return invt; } } } alias Matrix2(T) = Matrix!(2,2,T); /// alias Matrix2x3(T) = Matrix!(2,3,T); /// alias Matrix2x4(T) = Matrix!(2,4,T); /// alias Matrix2xD(T) = Matrix!(2,0,T); /// alias Matrix3x2(T) = Matrix!(3,2,T); /// alias Matrix3(T) = Matrix!(3,3,T); /// alias Matrix3x4(T) = Matrix!(3,4,T); /// alias Matrix3xD(T) = Matrix!(3,0,T); /// alias Matrix4x2(T) = Matrix!(4,2,T); /// alias Matrix4x3(T) = Matrix!(4,3,T); /// alias Matrix4(T) = Matrix!(4,4,T); /// alias Matrix4xD(T) = Matrix!(4,0,T); /// alias MatrixDx2(T) = Matrix!(0,2,T); /// alias MatrixDx3(T) = Matrix!(0,3,T); /// alias MatrixDx4(T) = Matrix!(0,4,T); /// alias MatrixDxD(T) = Matrix!(0,0,T); /// alias Matrix!(2,2,float) mat2; /// alias Matrix!(2,3,float) mat2x3; /// alias Matrix!(2,4,float) mat2x4; /// alias Matrix!(2,0,float) mat2xD; /// alias Matrix!(3,2,float) mat3x2; /// alias Matrix!(3,3,float) mat3; /// alias Matrix!(3,4,float) mat3x4; /// alias Matrix!(3,0,float) mat3xD; /// alias Matrix!(4,2,float) mat4x2; /// alias Matrix!(4,3,float) mat4x3; /// alias Matrix!(4,4,float) mat4; /// alias Matrix!(4,0,float) mat4xD; /// alias Matrix!(0,2,float) matDx2; /// alias Matrix!(0,3,float) matDx3; /// alias Matrix!(0,4,float) matDx4; /// alias Matrix!(0,0,float) matD; /// alias Matrix!(2,2,double) dmat2; /// alias Matrix!(2,3,double) dmat2x3; /// alias Matrix!(2,4,double) dmat2x4; /// alias Matrix!(2,0,double) dmat2xD; /// alias Matrix!(3,2,double) dmat3x2; /// alias Matrix!(3,3,double) dmat3; /// alias Matrix!(3,4,double) dmat3x4; /// alias Matrix!(3,0,double) dmat3xD; /// alias Matrix!(4,2,double) dmat4x2; /// alias Matrix!(4,3,double) dmat4x3; /// alias Matrix!(4,4,double) dmat4; /// alias Matrix!(4,0,double) dmat4xD; /// alias Matrix!(0,2,double) dmatDx2; /// alias Matrix!(0,3,double) dmatDx3; /// alias Matrix!(0,4,double) dmatDx4; /// alias Matrix!(0,0,double) dmatD; /// alias Matrix!(2,2,real) rmat2; /// alias Matrix!(2,3,real) rmat2x3; /// alias Matrix!(2,4,real) rmat2x4; /// alias Matrix!(2,0,real) rmat2xD; /// alias Matrix!(3,2,real) rmat3x2; /// alias Matrix!(3,3,real) rmat3; /// alias Matrix!(3,4,real) rmat3x4; /// alias Matrix!(3,0,real) rmat3xD; /// alias Matrix!(4,2,real) rmat4x2; /// alias Matrix!(4,3,real) rmat4x3; /// alias Matrix!(4,4,real) rmat4; /// alias Matrix!(4,0,real) rmat4xD; /// alias Matrix!(0,2,real) rmatDx2; /// alias Matrix!(0,3,real) rmatDx3; /// alias Matrix!(0,4,real) rmatDx4; /// alias Matrix!(0,0,real) rmatD; /// unittest { static assert( Matrix!(3,3,float).sizeof == float.sizeof * 9 ); static assert( Matrix!(3,3,float).isStatic ); static assert( Matrix!(0,3,float).isDynamic ); static assert( Matrix!(0,3,float).isDynamicHeight ); static assert( Matrix!(0,3,float).isStaticWidth ); static assert( Matrix!(3,0,float).isDynamic ); static assert( Matrix!(3,0,float).isDynamicWidth ); static assert( Matrix!(3,0,float).isStaticHeight ); static assert( Matrix!(0,0,float).isDynamic ); static assert( Matrix!(0,0,float).isDynamicHeight ); static assert( Matrix!(0,0,float).isDynamicWidth ); } unittest { static assert( isStaticMatrix!(mat3) ); static assert( !isStaticMatrix!(matD) ); static assert( !isStaticMatrix!(int[]) ); } unittest { assert( eq( mat3.init, [[1,0,0],[0,1,0],[0,0,1]] ) ); assert( eq( mat2.init, [[1,0],[0,1]] ) ); assert( eq( mat2x3.init, [[0,0,0],[0,0,0]] ) ); } unittest { auto a = Matrix!(3,2,double)( 36, 0, 3, 3, 0, 0 ); auto b = Matrix!(3,2,double)( [ 36, 0, 3, 3, 0, 0 ] ); assert( eq( a.asArray, b.asArray ) ); assert( eq( a.asArray, [ 36, 0, 3, 3, 0, 0 ] ) ); } unittest { auto a = mat3( 1,2,3,4,5,6,7,8,9 ); assert( a.height == 3 ); assert( a.width == 3 ); assert( eq( a, [[1,2,3],[4,5,6],[7,8,9]] ) ); static assert( !__traits(compiles,a.resize(1,1)) ); a.fill(1); assert( eq( a, [[1,1,1], [1,1,1], [1,1,1]] ) ); a[0][0] *= 3; assert( eq( a, [[3,1,1], [1,1,1], [1,1,1]] ) ); a[1][0] += 3; assert( eq( a, [[3,1,1], [4,1,1], [1,1,1]] ) ); } /// unittest { static struct Test { union { mat3 um; float[9] uf; } } Test tt; foreach( i, ref v; tt.uf ) v = i+1; assert( eq( tt.um, [[1,2,3],[4,5,6],[7,8,9]] ) ); } /// unittest { auto a = matDx3( 1,2,3,4,5,6,7,8,9 ); assert( mustExcept( {matDx3(1,2,3,4);} ) ); assert( a.height == 3 ); assert( a.width == 3 ); assert( eq( a, [[1,2,3],[4,5,6],[7,8,9]] ) ); assert( mustExcept({ a.resize(2,2); }) ); a.resize(2,3); assert( eq( a, [[1,2,3],[4,5,6]] ) ); assert( a.height == 2 ); a.fill(1); assert( eq( a, [[1,1,1],[1,1,1]] ) ); a.resize(0,3); assert( a.width == 3 ); a.resize(2,3); a.fill(1); auto b = a; assert( eq( b, [[1,1,1],[1,1,1]] ) ); } unittest { auto a = mat3xD( 1,2,3,4,5,6,7,8,9 ); assert( mustExcept( {mat3xD(1,2,3,4);} ) ); assert( a.height == 3 ); assert( a.width == 3 ); assert( eq( a, [[1,2,3],[4,5,6],[7,8,9]] ) ); assert( mustExcept({ a.resize(2,2); }) ); a.resize(3,2); assert( eq( a, [[1,2],[4,5],[7,8]] ) ); assert( a.width == 2 ); a.fill(1); assert( eq( a, [[1,1],[1,1],[1,1]] ) ); auto b = a; assert( eq( b, [[1,1],[1,1],[1,1]] ) ); } unittest { auto a = matD( 3,3, 1,2,3,4,5,6,7,8,9 ); assert( mustExcept( {matD(1,2,3,4,5);} ) ); assert( a.height == 3 ); assert( a.width == 3 ); assert( eq( a, [[1,2,3],[4,5,6],[7,8,9]] ) ); a.resize(2,2); assert( eq( a, [[1,2],[4,5]] ) ); auto b = matD(2,2); b.fill(1); assert( eq( b, [[1,1],[1,1]] ) ); b = a; assert( eq( a, b ) ); auto c = matD( Matrix!(2,4,float)(1,2,3,4,5,6,7,8) ); assert( eq( c, [[1,2,3,4],[5,6,7,8]] ) ); assert( c.height == 2 ); assert( c.width == 4 ); assert( b.height == 2 ); assert( b.width == 2 ); b = c; assert( b.height == 2 ); assert( b.width == 4 ); assert( eq( b, c ) ); b[0][0] = 666; assert( !eq( b, c ) ); } unittest { auto a = mat3xD( 1,2,3,4,5,6,7,8,9 ); matD b; assert( b.height == 0 ); assert( b.width == 0 ); b = a; assert( b.height == 3 ); assert( b.width == 3 ); assert( eq( a, b ) ); a[0][0] = 22; assert( !eq( a, b ) ); a = b; assert( eq( a, b ) ); b.height = 4; assert( mustExcept({ a = b; }) ); assert( !mustExcept({ b = a; }) ); } /// unittest { auto a = mat3( 1,2,3,4,5,6,7,8,9 ); auto b = matD( 3,3, 1,2,3,4,5,6,7,8,9 ); auto c = mat3xD( 1,2,3,4,5,6,7,8,9 ); auto d = matDx3( 1,2,3,4,5,6,7,8,9 ); auto eha = a.expandHeight( 8,8,8 ); auto ehb = b.expandHeight( 8,8,8 ); auto ehc = c.expandHeight( 8,8,8 ); auto ehd = d.expandHeight( 8,8,8 ); assert( eq( eha, [[1,2,3],[4,5,6],[7,8,9],[8,8,8]] )); assert( eha.height == 4 ); assert( ehb.height == 4 ); assert( ehc.height == 4 ); assert( ehd.height == 4 ); assert( eq( eha, ehb ) ); assert( eq( eha, ehc ) ); assert( eq( eha, ehd ) ); static assert( is(typeof(eha) == Matrix!(0,3,float)) ); static assert( is(typeof(ehd) == Matrix!(0,3,float)) ); static assert( is(typeof(ehb) == Matrix!(0,0,float)) ); static assert( is(typeof(ehc) == Matrix!(0,0,float)) ); auto ewa = a.expandWidth( 8,8,8 ); auto ewb = b.expandWidth( 8,8,8 ); auto ewc = c.expandWidth( 8,8,8 ); auto ewd = d.expandWidth( 8,8,8 ); assert( eq( ewa, [[1,2,3,8],[4,5,6,8],[7,8,9,8]] )); assert( ewa.width == 4 ); assert( ewb.width == 4 ); assert( ewc.width == 4 ); assert( ewd.width == 4 ); assert( eq( ewa, ewb ) ); assert( eq( ewa, ewc ) ); assert( eq( ewa, ewd ) ); static assert( is(typeof(ewa) == Matrix!(3,0,float)) ); static assert( is(typeof(ewc) == Matrix!(3,0,float)) ); static assert( is(typeof(ewb) == Matrix!(0,0,float)) ); static assert( is(typeof(ewd) == Matrix!(0,0,float)) ); auto aa = a.expandHeight(a); assert( eq( aa, [[1,2,3],[4,5,6],[7,8,9],[1,2,3],[4,5,6],[7,8,9]] )); assert( aa.height == 6 ); static assert( is(typeof(aa) == Matrix!(0,3,float)) ); } unittest { auto a = mat3( 1,2,3,4,5,6,7,8,9 ); assert( a.asArray == [1.0f,2,3,4,5,6,7,8,9] ); } /// unittest { auto a = matD(4,4,0).fillDiag(1); assert( eq( a, mat4() ) ); assert( eq( a.inv, a ) ); } /// unittest { auto a = mat4x2( 1,2,3,4,5,6,7,8 ); auto b = mat4( 1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16 ); auto c = a.T * b * a; static assert( c.height == 2 && c.width == 2 ); } unittest { matD a; matD b; a.resize( 10, 4 ); b.resize( 10, 10 ); auto c = a.T * b * a; assert( c.height == 4 && c.width == 4 ); } /// unittest { auto a = mat3.diag(1); assert( eq(a,[[1,0,0],[0,1,0],[0,0,1]]) ); auto b = mat3xD.diag(1,2); assert( eq(b,[[1,0,0],[0,2,0],[0,0,1]]) ); auto c = mat3xD.diag(1,2,3); assert( eq(c,[[1,0,0],[0,2,0],[0,0,3]]) ); static assert( !__traits(compiles,matD.diag(1)) ); auto d = matD(3,3).fill(0).fillDiag(1); assert( eq(d,[[1,0,0],[0,1,0],[0,0,1]]) ); } /// unittest { auto a = mat3( 1,2,3,4,5,6,7,8,9 ); auto sha = a.sliceHeight(1); assert( eq(sha,[[4,5,6],[7,8,9]]) ); auto swsha = sha.sliceWidth(0,1); assert( eq(swsha,[[4],[7]]) ); } /// unittest { auto a = mat3.diag(1); assert( eq( -a,[[-1,0,0],[0,-1,0],[0,0,-1]]) ); } unittest { auto a = mat3.diag(1); auto b = a*3-a; assert( eq( b,a*2 ) ); b /= 2; assert( eq( b,a ) ); } /// unittest { auto a = rmat3( 3,2,2, 1,3,1, 5,3,4 ); auto ainv = rmat3xD( 9,-2,-4, 1,2,-1, -12,1,7 ) / 5; auto b = a * ainv; static assert( is( typeof(b) == Matrix!(3,0,real) ) ); assert( eq( b, mat3.diag(1) ) ); static assert( !__traits(compiles,a *= ainv ) ); a *= rmat3(ainv); assert( eq( a, mat3.diag(1) ) ); } /// unittest { alias Matrix!(4,5,float) mat4x5; auto a = mat2x4.init * mat4xD.init; assert( mustExcept({ mat4xD.init * mat2x4.init; }) ); auto b = mat2x4.init * mat4x5.init; static assert( is( typeof(a) == Matrix!(2,0,float) ) ); static assert( is( typeof(b) == Matrix!(2,5,float) ) ); static assert( is( typeof(mat4xD.init * mat2x4.init) == Matrix!(4,4,float) ) ); } unittest { auto a = mat2x3( 1,2,3, 4,5,6 ); auto b = mat4xD( 1,2,3,4 ); auto aT = a.T; auto bT = b.T; static assert( is( typeof(aT) == Matrix!(3,2,float) ) ); static assert( is( typeof(bT) == Matrix!(0,4,float) ) ); assert( bT.height == b.width ); } unittest { auto a = mat3.diag(1); a.setRow(2,4,5,6); assert( eq( a, [[1,0,0],[0,1,0],[4,5,6]] ) ); a.setCol(1,8,4,2); assert( eq( a, [[1,8,0],[0,4,0],[4,2,6]] ) ); assert( eq( a.row(0), [[1,8,0]] ) ); assert( eq( a.col(0), [[1],[0],[4]] ) ); } /// unittest { auto b = mat3.diag(2) * vec3(2,3,4); assert( is( typeof(b) == vec3 ) ); assert( eq( b, [4,6,8] ) ); auto c = vec3(1,1,1) * mat3.diag(1,2,3); assert( is( typeof(c) == vec3 ) ); assert( eq( c, [1,2,3] ) ); } /// unittest { auto mtr = matD(2,3).fill( 1,2,3, 3,4,7 ); auto a = mtr * vec3(1,1,1); assert( is( typeof(a) == Vector!(0,float) ) ); assert( a.length == 2 ); assert( eq( a, [ 6, 14 ] ) ); auto b = vec3(1,1,1) * mtr.T; assert( eq( a, b ) ); } /// unittest { void check(E)( E mtr ) if( isMatrix!E ) { mtr.fill( 1,2,3,4, 5,6,7,8, 9,10,11,12, 13,14,15,16 ); auto sm = mtr.subWithout( [0,3,3,3], [1,2] ); assert( is( typeof(sm) == matD ) ); assert( sm.width == 2 ); assert( sm.height == 2 ); assert( eq( sm, [ [5,8], [9,12] ] ) ); assert( mustExcept({ mtr.sub( [0,4], [1,2] ); }) ); auto sm2 = mtr.subWithout( [], [1,2] ); assert( sm2.width == 2 ); assert( sm2.height == 4 ); assert( eq( sm2, [ [1,4],[5,8],[9,12],[13,16] ] ) ); } check( matD(4,4) ); check( mat4() ); } unittest { assert( eq( matD(4,4,0).fillDiag(1,2,3,4).det, 24 ) ); } unittest { auto mtr = rmatD(4,4).fill( 1,2,5,2, 5,6,1,4, 9,1,3,0, 9,2,4,2 ); auto xx = mtr * mtr.inv; assert( eq( xx, matD(4,4,0).fillDiag(1) ) ); } unittest { auto mtr = matD(4,4).fill( 0,1,0,2, 1,0,0,4, 0,0,1,1, 0,0,0,1 ); auto vv = vec4(4,2,1,1); auto rv = mtr.speedTransformInv * (mtr*vv); assert( eq( rv, vv ) ); } unittest { auto mtr = matD(4,4).fillDiag(1); auto vv = vec4(4,2,1,1); auto rv = vv * mtr; auto vr = mtr.T * vv * mtr; } unittest { auto mtr = rmat4.diag(1); auto vv = vec4(4,2,1,1); auto rv = vv * mtr; auto vr = mtr.T * vv * mtr; auto xx = mtr * mtr.inv; assert( eq( xx, mat4.diag(1) ) ); } unittest { auto mtr = rmat4( 1,2,5,2, 5,6,1,4, 9,1,3,0, 9,2,4,2 ); auto xx = mtr * mtr.rowReduceInv; assert( eq( xx, mat4() ) ); } /// unittest { auto mtr = mat4().setRect(0,0,mat3.diag(1)).setCol(3,1,2,3,4); assert( eq( mtr, [[1,0,0,1], [0,1,0,2], [0,0,1,3], [0,0,0,4]] ) ); } unittest { auto stm = mat4(); assert( stm ); auto dnm = matD(); assert( dnm ); } unittest { auto t = mat4.diag(1,2,3,4); assertEq( t.offset, vec3(0) ); t.setCol( 3, vec4(3,2,1,1) ); assertEq( t.offset, vec3(3,2,1) ); t.offset = vec3(1,2,3); assertEq( t.offset, vec3(1,2,3) ); } /// auto quatToMatrix(E)( in Quaterni!E iq ) { auto q = iq / iq.len2; E wx, wy, wz, xx, yy, yz, xy, xz, zz, x2, y2, z2; x2 = q.i + q.i; y2 = q.j + q.j; z2 = q.k + q.k; xx = q.i * x2; xy = q.i * y2; xz = q.i * z2; yy = q.j * y2; yz = q.j * z2; zz = q.k * z2; wx = q.a * x2; wy = q.a * y2; wz = q.a * z2; return Matrix!(3,3,E)( 1.0-(yy+zz), xy-wz, xz+wy, xy+wz, 1.0-(xx+zz), yz-wx, xz-wy, yz+wx, 1.0-(xx+yy) ); } /// unittest { auto q = rquat.fromAngle( PI_2, vec3(0,0,1) ); auto m = quatToMatrix(q); auto r = mat3(0,-1, 0, 1, 0, 0, 0, 0, 1); assert( eq_approx( m, r, 1e-7 ) ); } /// auto quatAndPosToMatrix(E,V)( in Quaterni!E iq, in V pos ) if( isSpecVector!(3,E,V) ) { auto q = iq / iq.len2; E wx, wy, wz, xx, yy, yz, xy, xz, zz, x2, y2, z2; x2 = q.i + q.i; y2 = q.j + q.j; z2 = q.k + q.k; xx = q.i * x2; xy = q.i * y2; xz = q.i * z2; yy = q.j * y2; yz = q.j * z2; zz = q.k * z2; wx = q.a * x2; wy = q.a * y2; wz = q.a * z2; return Matrix!(4,4,E)( 1.0-(yy+zz), xy-wz, xz+wy, pos.x, xy+wz, 1.0-(xx+zz), yz-wx, pos.y, xz-wy, yz+wx, 1.0-(xx+yy), pos.z, 0, 0, 0, 1 ); } /// unittest { auto q = rquat.fromAngle( PI_2, vec3(0,0,1) ); auto m = quatAndPosToMatrix(q, vec3(1,2,3) ); assert( eq_approx( m, [[0,-1,0,1], [1, 0,0,2], [0, 0,1,3], [0, 0,0,1]], 1e-7 ) ); }
D
/Users/student/Documents/Marketplace/DerivedData/Build/Intermediates/Marketplace.build/Debug-iphonesimulator/Marketplace.build/Objects-normal/x86_64/ItemTableViewCell.o : /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/Download.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/Upload.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/ItemDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/FunctionDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/UserDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/TagsDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/InboxDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Sale.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/CoreDataStore.swift /Users/student/Documents/Marketplace/Marketplace/Misc/AppDelegate.swift /Users/student/Documents/Marketplace/Marketplace/Models/ItemModel.swift /Users/student/Documents/Marketplace/Marketplace/Models/UserModel.swift /Users/student/Documents/Marketplace/Marketplace/Views/Inbox/InboxMsgTableCell.swift /Users/student/Documents/Marketplace/Marketplace/Views/ItemTableViewCell.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Item.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/User.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/TagSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/ItemSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/FunctionSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/UserSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/InboxSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/CoreDataCommonMethods.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Sale+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Item+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/User+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Pictures+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Tags+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Inbox+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Pictures.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Tags.swift /Users/student/Documents/Marketplace/Marketplace/Views/ForgotPasswordView.swift /Users/student/Documents/Marketplace/Marketplace/Views/UploadImageView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SendMessageView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SearchTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/UploadItemTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SignInTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/RegisterTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SearchParametersTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/MenuTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/Inbox/InboxTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/UserProfileView.swift /Users/student/Documents/Marketplace/Marketplace/Views/EditProfileView.swift /Users/student/Documents/Marketplace/Marketplace/Views/HomeView.swift /Users/student/Documents/Marketplace/Marketplace/Views/RatingView.swift /Users/student/Documents/Marketplace/Marketplace/Views/Inbox/InboxDetailView.swift /Users/student/Documents/Marketplace/Marketplace/Views/ItemView.swift /Users/student/Documents/Marketplace/Marketplace/Views/CheckoutView.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Inbox.swift /Users/student/Documents/Marketplace/Marketplace/Misc/Handy.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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Photos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/student/Documents/Marketplace/Marketplace-Bridging-Header.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/MessageUI.framework/Headers/MessageUI.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Photos.framework/Headers/Photos.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Users/student/Documents/Marketplace/DerivedData/Build/Intermediates/Marketplace.build/Debug-iphonesimulator/Marketplace.build/Objects-normal/x86_64/ItemTableViewCell~partial.swiftmodule : /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/Download.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/Upload.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/ItemDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/FunctionDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/UserDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/TagsDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/InboxDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Sale.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/CoreDataStore.swift /Users/student/Documents/Marketplace/Marketplace/Misc/AppDelegate.swift /Users/student/Documents/Marketplace/Marketplace/Models/ItemModel.swift /Users/student/Documents/Marketplace/Marketplace/Models/UserModel.swift /Users/student/Documents/Marketplace/Marketplace/Views/Inbox/InboxMsgTableCell.swift /Users/student/Documents/Marketplace/Marketplace/Views/ItemTableViewCell.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Item.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/User.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/TagSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/ItemSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/FunctionSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/UserSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/InboxSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/CoreDataCommonMethods.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Sale+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Item+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/User+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Pictures+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Tags+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Inbox+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Pictures.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Tags.swift /Users/student/Documents/Marketplace/Marketplace/Views/ForgotPasswordView.swift /Users/student/Documents/Marketplace/Marketplace/Views/UploadImageView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SendMessageView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SearchTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/UploadItemTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SignInTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/RegisterTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SearchParametersTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/MenuTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/Inbox/InboxTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/UserProfileView.swift /Users/student/Documents/Marketplace/Marketplace/Views/EditProfileView.swift /Users/student/Documents/Marketplace/Marketplace/Views/HomeView.swift /Users/student/Documents/Marketplace/Marketplace/Views/RatingView.swift /Users/student/Documents/Marketplace/Marketplace/Views/Inbox/InboxDetailView.swift /Users/student/Documents/Marketplace/Marketplace/Views/ItemView.swift /Users/student/Documents/Marketplace/Marketplace/Views/CheckoutView.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Inbox.swift /Users/student/Documents/Marketplace/Marketplace/Misc/Handy.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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Photos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/student/Documents/Marketplace/Marketplace-Bridging-Header.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/MessageUI.framework/Headers/MessageUI.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Photos.framework/Headers/Photos.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes /Users/student/Documents/Marketplace/DerivedData/Build/Intermediates/Marketplace.build/Debug-iphonesimulator/Marketplace.build/Objects-normal/x86_64/ItemTableViewCell~partial.swiftdoc : /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/Download.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/Upload.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/ItemDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/FunctionDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/UserDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/TagsDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/InboxDataSource.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Sale.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/CoreDataStore.swift /Users/student/Documents/Marketplace/Marketplace/Misc/AppDelegate.swift /Users/student/Documents/Marketplace/Marketplace/Models/ItemModel.swift /Users/student/Documents/Marketplace/Marketplace/Models/UserModel.swift /Users/student/Documents/Marketplace/Marketplace/Views/Inbox/InboxMsgTableCell.swift /Users/student/Documents/Marketplace/Marketplace/Views/ItemTableViewCell.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Item.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/User.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/TagSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/ItemSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/FunctionSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/UserSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/ObjectAdapters/InboxSchemaProcessor.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/Network/CoreDataCommonMethods.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Sale+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Item+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/User+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Pictures+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Tags+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Inbox+CoreDataProperties.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Pictures.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Tags.swift /Users/student/Documents/Marketplace/Marketplace/Views/ForgotPasswordView.swift /Users/student/Documents/Marketplace/Marketplace/Views/UploadImageView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SendMessageView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SearchTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/UploadItemTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SignInTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/RegisterTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/SearchParametersTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/MenuTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/Inbox/InboxTableView.swift /Users/student/Documents/Marketplace/Marketplace/Views/UserProfileView.swift /Users/student/Documents/Marketplace/Marketplace/Views/EditProfileView.swift /Users/student/Documents/Marketplace/Marketplace/Views/HomeView.swift /Users/student/Documents/Marketplace/Marketplace/Views/RatingView.swift /Users/student/Documents/Marketplace/Marketplace/Views/Inbox/InboxDetailView.swift /Users/student/Documents/Marketplace/Marketplace/Views/ItemView.swift /Users/student/Documents/Marketplace/Marketplace/Views/CheckoutView.swift /Users/student/Documents/Marketplace/Marketplace/CoreDataComponents/DataModels/Inbox.swift /Users/student/Documents/Marketplace/Marketplace/Misc/Handy.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/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreData.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/simd.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreLocation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Photos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/student/Documents/Marketplace/Marketplace-Bridging-Header.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/MessageUI.framework/Headers/MessageUI.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreLocation.framework/Headers/CoreLocation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/AVFoundation.framework/Headers/AVFoundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/Photos.framework/Headers/Photos.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.0.sdk/System/Library/Frameworks/AudioToolbox.framework/Headers/AudioToolbox.apinotes
D
// Copyright (C) 2002-2013 Nikolaus Gebhardt // This file is part of the "Irrlicht Engine" for the D programming language. // For conditions of distribution and use, see copyright notice in irrlicht.d module. module irrlicht.gui.EMessageBoxFlags; /// enumeration for message box layout flags enum EMESSAGE_BOX_FLAG { /// Flag for the ok button EMBF_OK = 0x1, /// Flag for the cancel button EMBF_CANCEL = 0x2, /// Flag for the yes button EMBF_YES = 0x4, /// Flag for the no button EMBF_NO = 0x8, /// This value is not used. It only forces this enumeration to compile in 32 bit. EMBF_FORCE_32BIT = 0x7fffffff }
D
/* ---------------------------------------------------------------------------- * This file was automatically generated by SWIG (http://www.swig.org). * Version 3.0.0 * * Do not make changes to this file unless you know what you are doing--modify * the SWIG interface file instead. * ----------------------------------------------------------------------------- */ module vtkTextRendererCleanup; static import vtkd_im; static import core.stdc.config; static import std.conv; static import std.string; static import std.conv; static import std.string; class vtkTextRendererCleanup { private void* swigCPtr; protected bool swigCMemOwn; public this(void* cObject, bool ownCObject) { swigCPtr = cObject; swigCMemOwn = ownCObject; } public static void* swigGetCPtr(vtkTextRendererCleanup obj) { return (obj is null) ? null : obj.swigCPtr; } mixin vtkd_im.SwigOperatorDefinitions; ~this() { dispose(); } public void dispose() { synchronized(this) { if (swigCPtr !is null) { if (swigCMemOwn) { swigCMemOwn = false; vtkd_im.delete_vtkTextRendererCleanup(cast(void*)swigCPtr); } swigCPtr = null; } } } public this() { this(vtkd_im.new_vtkTextRendererCleanup(), true); } }
D
/** * Contains implementations of functions called when the * -profile=gc * switch is thrown. * * Tests for this functionality can be found in test/profile/src/profilegc.d * * Copyright: Copyright Digital Mars 2015 - 2015. * 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 * Source: $(DRUNTIMESRC rt/_tracegc.d) */ module rt.tracegc; // version = tracegc; extern (C) Object _d_newclass(const ClassInfo ci); extern (C) void[] _d_newarrayT(const TypeInfo ti, size_t length); extern (C) void[] _d_newarrayiT(const TypeInfo ti, size_t length); extern (C) void[] _d_newarraymTX(const TypeInfo ti, size_t[] dims); extern (C) void[] _d_newarraymiTX(const TypeInfo ti, size_t[] dims); extern (C) void* _d_newitemT(in TypeInfo ti); extern (C) void* _d_newitemiT(in TypeInfo ti); extern (C) void _d_callfinalizer(void* p); extern (C) void _d_callinterfacefinalizer(void *p); extern (C) void _d_delclass(Object* p); extern (C) void _d_delinterface(void** p); extern (C) void _d_delstruct(void** p, TypeInfo_Struct inf); extern (C) void _d_delarray_t(void[]* p, const TypeInfo_Struct _); extern (C) void _d_delmemory(void* *p); extern (C) byte[] _d_arraycatT(const TypeInfo ti, byte[] x, byte[] y); extern (C) void[] _d_arraycatnTX(const TypeInfo ti, scope byte[][] arrs); extern (C) void* _d_arrayliteralTX(const TypeInfo ti, size_t length); extern (C) void* _d_assocarrayliteralTX(const TypeInfo_AssociativeArray ti, void[] keys, void[] vals); extern (C) void[] _d_arrayappendT(const TypeInfo ti, ref byte[] x, byte[] y); extern (C) byte[] _d_arrayappendcTX(const TypeInfo ti, return scope ref byte[] px, size_t n); extern (C) void[] _d_arrayappendcd(ref byte[] x, dchar c); extern (C) void[] _d_arrayappendwd(ref byte[] x, dchar c); extern (C) void[] _d_arraysetlengthT(const TypeInfo ti, size_t newlength, void[]* p); extern (C) void[] _d_arraysetlengthiT(const TypeInfo ti, size_t newlength, void[]* p); extern (C) void* _d_allocmemory(size_t sz); // Used as wrapper function body to get actual stats. // // Placed here as a separate string constant to simplify maintenance as it is // much more likely to be modified than rest of generation code. enum accumulator = q{ import rt.profilegc : accumulate; import core.memory : GC; static if (is(typeof(ci))) string name = ci.name; else static if (is(typeof(ti))) string name = ti.toString(); else static if (__FUNCTION__ == "rt.tracegc._d_arrayappendcdTrace") string name = "char[]"; else static if (__FUNCTION__ == "rt.tracegc._d_arrayappendwdTrace") string name = "wchar[]"; else static if (__FUNCTION__ == "rt.tracegc._d_allocmemoryTrace") string name = "closure"; else string name = ""; version (tracegc) { import core.stdc.stdio; printf("%s file = '%.*s' line = %d function = '%.*s' type = %.*s\n", __FUNCTION__.ptr, file.length, file.ptr, line, funcname.length, funcname.ptr, name.length, name.ptr ); } ulong currentlyAllocated = GC.allocatedInCurrentThread; scope(exit) { ulong size = GC.allocatedInCurrentThread - currentlyAllocated; if (size > 0) accumulate(file, line, funcname, name, size); } }; mixin(generateTraceWrappers()); //pragma(msg, generateTraceWrappers()); //////////////////////////////////////////////////////////////////////////////// // code gen implementation private string generateTraceWrappers() { string code; foreach (name; __traits(allMembers, mixin(__MODULE__))) { static if (name.length > 3 && name[0..3] == "_d_") { mixin("alias Declaration = " ~ name ~ ";"); code ~= generateWrapper!Declaration(); } } return code; } private string generateWrapper(alias Declaration)() { static size_t findParamIndex(string s) { assert (s[$-1] == ')'); size_t brackets = 1; while (brackets != 0) { s = s[0 .. $-1]; if (s[$-1] == ')') ++brackets; if (s[$-1] == '(') --brackets; } assert(s.length > 1); return s.length - 1; } auto type_string = typeof(Declaration).stringof; auto name = __traits(identifier, Declaration); auto param_idx = findParamIndex(type_string); auto new_declaration = type_string[0 .. param_idx] ~ " " ~ name ~ "Trace(string file, int line, string funcname, " ~ type_string[param_idx+1 .. $]; auto call_original = "return " ~ __traits(identifier, Declaration) ~ "(" ~ Arguments!Declaration() ~ ");"; return new_declaration ~ "\n{\n" ~ accumulator ~ "\n" ~ call_original ~ "\n" ~ "}\n"; } string Arguments(alias Func)() { string result = ""; static if (is(typeof(Func) PT == __parameters)) { foreach (idx, _; PT) result ~= __traits(identifier, PT[idx .. idx + 1]) ~ ", "; } return result; } unittest { void foo(int x, double y) { } static assert (Arguments!foo == "x, y, "); }
D
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM WT ROCKTYPE 298.399994 61.7000008 5.9000001 0 58 62 -19.6000004 116.099998 141 3.29999995 8 0.5 sediments, sandstones, siltstones 310.200012 40.5999985 4.69999981 120.900002 56 59 -33.2000008 151.100006 241 8.60000038 8.60000038 1 extrusives 306.399994 74.1999969 4.30000019 0 52 55 -31.8999996 151.300003 8785 5.9000001 5.9000001 1 extrusives, basalts 333.200012 64.6999969 6.5999999 0 52 55 -31.8999996 151.300003 8786 10.3000002 11.6999998 1 extrusives, basalts 219.300003 -4.19999981 9.39999962 22.3999996 56 65 -10 121 7800 4.9000001 9.60000038 0.444444444 extrusives, basalts, andesites -65.400002 61.2999992 1.39999998 297 50 70 -31.6000004 145.600006 9339 2.20000005 2.20000005 0.5 sediments, saprolite 264.399994 75 15.6000004 0 2 65 -8.80000019 126.699997 1206 10.3999996 18 0.19047619 extrusives, intrusives 346 61 9 41.2000008 35 100 -31.3999996 138.600006 1170 13 15 0.184615385 sediments 333 45 9 16.5 35 100 -30.3999996 139.399994 1161 17 18 0.184615385 sediments, tillite 317 57 5 200 35 100 -30.5 139.300003 1165 9 10 0.184615385 sediments, redbeds 329 58 25 4.0999999 35 100 -30.2000008 139 1166 41.5999985 45.5999985 0.184615385 sediments, sandstone, tillite 223 26 13 14.8000002 35 100 -30.2999992 139.5 1157 26 26 0.184615385 extrusives 320 63 9 15.5 34 65 -38 145.5 1854 16 16 0.387096774 extrusives 314 70 6 132 48 50 -33.2999992 151.199997 1844 9 10 1 intrusives, basalt 317 63 14 16 23 56 -32.5 151 1840 20 20 0.242424242 extrusives, basalts 302.700012 66.8000031 6.80000019 35 34 65 -38 145.5 1819 10.8000002 12.1000004 0.387096774 extrusives 305 73 17 29 23 56 -42 147 1821 25 29 0.242424242 extrusives, basalts 305.600006 70.5 3.5999999 48.5 52 54 -32 151.399994 1892 5.30000019 5.30000019 1 extrusives 274 66 27.6000004 8.60000038 25 65 -41.2999992 145.899994 1873 39.7999992 46.9000015 0.3 intrusives, granite 321 64 6 27.5 25 65 -35.5999985 137.5 1874 10 11 0.3 sediments 269 40 0 0 50 300 -32.5999985 151.5 1868 0 0 0.04 extrusives, andesites 294 75 11 7 25 65 -41.0999985 146.100006 1871 16.2999992 18.8999996 0.3 sediments, sandstone 315 66 10.5 18 25 65 -41 145.5 1872 18.2000008 19.6000004 0.3 extrusives, sediments 298 58.7999992 2.4000001 0 35 65 -27 141.5 1972 3.79999995 3.79999995 0.4 sediments, weathered 314 66 5.5999999 161 48 50 -33.2999992 151.199997 1969 8.5 9.80000019 1 intrusives, basalt 297.200012 59.2000008 6 0 50 70 -30.5 151.5 1964 9.10000038 9.89999962 0.5 sediments, weathered 310.899994 68.5 0 0 40 60 -35 150 1927 5.19999981 5.19999981 0.6 extrusives, basalts 271 63 2.9000001 352 50 80 -34 151 1595 3.5 4.5 0.333333333 intrusives 278 66 2.0999999 333 48 50 -33.2999992 151.199997 1596 2.5999999 3.29999995 1 intrusives, basalt 318 37 6.80000019 41 56 59 -33.2000008 151.100006 1597 13.1999998 13.3999996 1 intrusives
D
/* * Forest File Finder by erik wikforss */ module forest.nodes.node; import forest.selection; import brew.math; public import brew.box; public import brew.dim; public import brew.vec; public import brew.insets; public import brew.color; import brew.cairo; import brew.tween; import brew.fun; import brew.misc; import forest.map; import std.stdio; import pango.PgContext; import cairo.Context; import std.signals; import forest.events.mouseevent; import gtkc.gdktypes; struct NodeColor { Color4d fgColor = Color4d.BLACK; Color4d bgColor = Color4d.WHITE; } struct NodeDim { Dim2d min = Dim2d.zero; Dim2d max = Dim2d.zero; Dim2d pref = Dim2d.zero; Dim2d fit = Dim2d.zero; } class Node { enum PropName : string { selected = "selected", pressed = "pressed", visible = "visible", fgColor = "fgColor", bgColor = "bgColor", insets = "insets", offset = "offset", alignment = "alignment", layer = "layer", animated = "animated", margin = "margin", animOffset = "animOffset", animBounds = "animBounds", bounds = "bounds", totalBounds = "totalBounds", name = "name", minDim = "minDim", maxDim = "maxDim", prefDim = "prefDim", fitDim = "fitDim", selection = "selection", } enum { DEFAULT_COLOR = NodeColor(Color4d(.2,.2,.2,1), Color4d(.9,.9,.9,1)), LAYOUT_ALL = -1, NO_DIM = Dim2d.zero, NO_INSETS = Insets2d.zero, NO_MARGIN = Insets2d.zero, DEFAULT_LAYER = 0, } private { string _name; NodeDim _dim; Box2d _bounds = Box2d.zero; Box2d _animBounds = Box2d.zero; Box2d _totalBounds = Box2d.zero; Insets2d _margin = NO_MARGIN; Insets2d _insets = NO_INSETS; NodeColor _color = DEFAULT_COLOR; Node _parent; Node[] _children; bool boundsDirty; bool layoutDirty; bool totalBoundsDirty; bool _visible; bool showChildren; bool isPaintTotalBounds; bool isPaintBounds; bool _selected; bool _pressed; bool _animated; int _layer = DEFAULT_LAYER; Vec2d _offset = Vec2d.zero; Vec2d _animOffset = Vec2d.zero; Vec2d _alignment = Vec2d.zero; Selection _selection; } bool delegate(in Vec2d, in GdkEventButton) onMousePressedDlgs[]; bool delegate(in Vec2d, in GdkEventButton) onMouseReleasedDlgs[]; bool delegate(in Vec2d, in GdkEventMotion) onMouseMotionDlgs[]; // property name, new value, old value mixin Signal!(string, bool, bool) changedBoolSignal; mixin Signal!(string, double, double) changedDoubleSignal; mixin Signal!(string, string, string) changedStringSignal; mixin Signal!(string, int, int) changedIntSignal; mixin Signal!(string, Color4d, Color4d) changedColor4dSignal; mixin Signal!(string, Insets2d, Insets2d) changedInsets2dSignal; mixin Signal!(string, Vec2d, Vec2d) changedVector2dSignal; mixin Signal!(string, Box2d, Box2d) changedBox2dSignal; mixin Signal!(string, Dim2d, Dim2d) changedDim2dSignal; mixin Signal!(MouseEvent) mouseEventSignal; mixin Signal!(string, Object, Object) objectSignal; final { /*************************** * @param s: Signal Slot * * @param p: Property Name * * @param n: New Value * * @param o: Old Value */ void connect(changedBoolSignal.slot_t s) { changedBoolSignal.connect(s); } void disconnect(changedBoolSignal.slot_t s) { changedBoolSignal.disconnect(s); } void emit(string p, bool n, bool o) { changedBoolSignal.emit(p, n, o); } void connect(changedDoubleSignal.slot_t s) { changedDoubleSignal.connect(s); } void disconnect(changedDoubleSignal.slot_t s) { changedDoubleSignal.disconnect(s); } void emit(string p, double n, double o) { changedDoubleSignal.emit(p, n, o); } void connect(changedStringSignal.slot_t s) { changedStringSignal.connect(s); } void disconnect(changedStringSignal.slot_t s) { changedStringSignal.disconnect(s); } void emit(string p, string n, string o) { changedStringSignal.emit(p, n, o); } void connect(changedIntSignal.slot_t s) { changedIntSignal.connect(s); } void disconnect(changedIntSignal.slot_t s) { changedIntSignal.disconnect(s); } void emit(string p, int n, int o) { changedIntSignal.emit(p, n, o); } void connect(changedColor4dSignal.slot_t s) { changedColor4dSignal.connect(s); } void disconnect(changedColor4dSignal.slot_t s) { changedColor4dSignal.disconnect(s); } void emit(string p, in Color4d n, in Color4d o) { changedColor4dSignal.emit(p, n, o); } void connect(changedInsets2dSignal.slot_t s) { changedInsets2dSignal.connect(s); } void disconnect(changedInsets2dSignal.slot_t s) { changedInsets2dSignal.disconnect(s); } void emit(string p, in Insets2d n, in Insets2d o) { changedInsets2dSignal.emit(p, n, o); } void connect(changedVector2dSignal.slot_t s) { changedVector2dSignal.connect(s); } void disconnect(changedVector2dSignal.slot_t s) { changedVector2dSignal.disconnect(s); } void emit(string p, in Vec2d n, in Vec2d o) { changedVector2dSignal.emit(p, n, o); } void connect(changedBox2dSignal.slot_t s) { changedBox2dSignal.connect(s); } void disconnect(changedBox2dSignal.slot_t s) { changedBox2dSignal.disconnect(s); } void emit(string p, in Box2d n, in Box2d o) { changedBox2dSignal.emit(p, n, o); } void connect(changedDim2dSignal.slot_t s) { changedDim2dSignal.connect(s); } void disconnect(changedDim2dSignal.slot_t s) { changedDim2dSignal.disconnect(s); } void emit(string p, in Dim2d n, in Dim2d o) { changedDim2dSignal.emit(p, n, o); } void connect(objectSignal.slot_t s) { objectSignal.connect(s); } void disconnect(objectSignal.slot_t s) { objectSignal.disconnect(s); } void emit(string p, Object n, Object o) { objectSignal.emit(p, n, o); } void connect(mouseEventSignal.slot_t s) { mouseEventSignal.connect(s); } void disconnect(mouseEventSignal.slot_t s) { mouseEventSignal.disconnect(s); } void emit(MouseEvent s) { mouseEventSignal.emit(s); } } this() { visible = true; layer = 0; isPaintTotalBounds = false; isPaintBounds = false; } void dispose() { foreach (Node child; children) child.dispose(); if (parent !is null) parent.removeChild(this); } void addChild(Node child) { if (child.parent is this) return; if (child.parent !is null) child.parent.removeChild(child); child.parent = this; children ~= child; setDirty(); } void addChild(Node child, string target) { foreach (Node n; children) { if (n.name == target) { n.addChild(child); return; } } } final void addOnMouseMotionDlg(bool delegate(in Vec2d, in GdkEventMotion) dlg) { onMouseMotionDlgs ~= dlg; } final void addOnMousePressedDlg(bool delegate(in Vec2d, in GdkEventButton) dlg) { onMousePressedDlgs ~= dlg; } final void addOnMouseReleasedDlg(bool delegate(in Vec2d, in GdkEventButton) dlg) { onMouseReleasedDlgs ~= dlg; } void removeChild(Node child) { if (child.parent !is this) return; bool removed = false; for (int i = 0; i < children.length && !removed; i++) { if (children[i] is child) { children[i] = children[$-1]; children.length--; removed = true; setDirty(); } } } const(string) path() { string a = name; if (parent is null) return name ~ "\\"; for (Node p = parent; p !is null; p = p.parent) a = p.name ~ "\\" ~ a; return a; } void updateBounds() { } void onLayout() { preUpdateLayout(); updateChildredLayout(); updateLayout(); updateDim(); cleanTotalBounds(); postUpdateLayout(); } void preUpdateLayout() { } void updateLayout() { } void updateChildredLayout() { foreach (Node child; children) child.onLayout(); } void postUpdateLayout() { } void updateDim() { Dim2d newDim = bounds.dim; static bool accept(double a) { return a > 0; } if (prefDim.width > 0) newDim.width = prefDim.width; else if (fitDim.width > 0) newDim.width = fitDim.width; if (prefDim.height > 0) newDim.height = prefDim.height; else if (fitDim.height > 0) newDim.height = fitDim.height; newDim = newDim.clampAccept(minDim, maxDim, &accept); bounds.dim = newDim; } final const(Box2d) computeBounds() { Box2d b = Box2d.zero; foreach(Node child; shownChildren) b = b.unionWith(child.transformedBounds); return b; } final const(Box2d) computeTotalBounds(Box2d startBounds = Box2d(0,0,0,0)) { Box2d b = startBounds; foreach(Node child; shownChildren) b = b.unionWith(child.transformedTotalBounds); return b; } final const(Box2d) transformedTotalBounds() const { return totalBounds.translated(offset); } final const(Box2d) transformedBounds() const { return bounds.translated(offset); } final void updateTotalBounds() { Box2d b = bounds; foreach (Node child; visibleChildren) b = Box2d.unionOf(b, child.transformedTotalBounds); totalBounds = b; } void cleanLayout() { if (layoutDirty) { foreach (Node c; children) c.cleanLayout(); onLayout(); layoutDirty = false; } } void cleanBounds() { if(boundsDirty) { foreach (Node child; children) child.cleanBounds(); updateBounds(); boundsDirty = false; } } void cleanTotalBounds() { if(totalBoundsDirty) { foreach (Node child; children) child.cleanTotalBounds(); updateTotalBounds(); totalBoundsDirty = false; } } void cleanUp() { cleanLayout(); cleanBounds(); cleanTotalBounds(); } void draw(Context ct) { if (visible) { ct.save(); auto o = offset.roundVec; if (o != Vec2d.zero) ct.translate(o.x, o.y); if (isShown) drawNode(ct); drawChildren(ct); if (isPaintBounds) drawBounds(ct); if (isPaintTotalBounds) drawTotalBounds(ct); ct.restore(); } } void drawNode(Context ct) { } void drawChildren(Context ct) { foreach (Node n; children) n.draw(ct); } final bool isRoot() { return _parent is null; } final bool isChild() { return _parent !is null; } final bool hasParent() { return _parent !is null; } final bool hasChildren() { return _children.length > 0; } final size_t numChildren() { return _children.length; } final Node childAt(size_t i) { return _children[i]; } final void moveTo(Vec2d newOffset) { if (newOffset != bounds.pos) { offset = newOffset; setParentBoundsDirty(); } } final void moveBy(Vec2d amount) { if (amount != Vec2d.zero) { offset = offset + amount; setParentBoundsDirty(); } } const(Vec2d) tailPoint(Vec2d alignment) { return bounds.alignedPoint(alignment); } final void resizeTo(in Dim2d newSize) { if (newSize != bounds.dim) { bounds.dim = newSize; setParentBoundsDirty(); } } final void setDirty() { boundsDirty = layoutDirty = totalBoundsDirty = true; if (hasParent) parent.setDirty(); } final void setParentDirty() { if (hasParent) parent.setDirty(); } final void setBoundsDirty() { boundsDirty = totalBoundsDirty = true; if (hasParent) parent.setBoundsDirty(); } final void setTotalBoundsDirty() { totalBoundsDirty = true; if (hasParent) parent.setTotalBoundsDirty(); } final void setParentBoundsDirty() { if (hasParent) parent.setBoundsDirty(); } final void setLayoutDirty() { layoutDirty = true; if (hasParent) parent.setLayoutDirty(); } final void setParentLayoutDirty() { if (hasParent) parent.setLayoutDirty(); } final bool isDirty() { return boundsDirty || layoutDirty || totalBoundsDirty; } final const(Box2d) absBounds() { Box2d a = bounds; for (Node p = parent; p !is null; p = p.parent) a += p.bounds.pos; return a; } final bool dispatchMouseButtonPressed(in Vec2d point0, in GdkEventButton e) { auto point = (point0 - offset); if (totalBounds.pointIn(point)) for(size_t i = _children.length-1; i < children.length; i--) if (_children[i].visible && _children[i].dispatchMouseButtonPressed(point, e)) return true; if (bounds.pointIn(point) && notifyMouseButtonPressed(point, e)) return true; return false; } final bool notifyMouseButtonPressed(in Vec2d point, in GdkEventButton e) { for (size_t i = 0; i < onMousePressedDlgs.length; i++) if (onMousePressedDlgs[i](point, e)) return true; return false; } final bool dispatchMouseButtonReleased(in Vec2d point0, in GdkEventButton e) { auto point = (point0 - offset); if (totalBounds.pointIn(point)) for(size_t i = _children.length-1; i < children.length; i--) if (_children[i].visible && _children[i].dispatchMouseButtonReleased(point, e)) return true; if (bounds.pointIn(point) && notifyMouseButtonReleased(point, e)) return true; return false; } final bool notifyMouseButtonReleased(in Vec2d point, in GdkEventButton e) { for (size_t i = 0; i < onMouseReleasedDlgs.length; i++) if (onMouseReleasedDlgs[i](point, e)) return true; return false; } final bool dispatchMouseMotion(in Vec2d point0, in GdkEventMotion e) { auto point = (point0 - offset); if (totalBounds.pointIn(point)) for(size_t i = _children.length-1; i < children.length; i--) if (_children[i].visible && _children[i].dispatchMouseMotion(point, e)) return true; if (bounds.pointIn(point) && notifyMouseMotion(point, e)) return true; return false; } final bool notifyMouseMotion(in Vec2d point, in GdkEventMotion e) { for (size_t i = 0; i < onMouseMotionDlgs.length; i++) if (onMouseMotionDlgs[i](point, e)) return true; return false; } final void show() { if (!visible) { visible = true; setDirty(); } } final void hide() { if (visible) { visible = false; setDirty(); } } final const(Box2d) marginBounds() const { return bounds + margin; } final const(Box2d) insetBounds() const { return bounds - insets; } final void drawBounds(Context ct) { rectangleInside(ct, bounds); ct.setLineWidth(2.0); setSourceRgb(ct, Color3d.RED); ct.stroke(); } final void drawTotalBounds(Context ct) { rectangleInside(ct, totalBounds); ct.setLineWidth(2.0); setSourceRgb(ct, Color3d.GREEN); ct.stroke(); } final void drawFitBounds(Context ct) { rectangleInside(ct, bounds.withDim(fitDim)); ct.setLineWidth(1.0); setSourceRgb(ct, Color3d.MAGENTA); ct.stroke(); } alias Filter!(Node).filter filterNode; final Node[] visibleChildren() { return visibleNodesOf(children); } final Node[] shownChildren() { return shownNodesOf(children); } static Node[] visibleNodesOf(Node nodes[]) { static bool accept(Node n) { return n.visible; } return filterNode(nodes, &accept); } static Node[] shownNodesOf(Node nodes[]) { static bool accept(Node n) { return n.isShown; } return filterNode(nodes, &accept); } void redraw() { if (hasParent) parent.redraw(); } final const(uint) level() { uint l = 0; for (Node p = parent; p !is null; p = p.parent) l++; return l; } final ref const(Vec2d) offset() const { return _offset; } final ref Vec2d offset() { return _offset; } final void offset(in Vec2d newOffset) { if (newOffset != _offset) { auto oldOffset = _offset; _offset = newOffset; emit(PropName.offset, newOffset, oldOffset); } } final bool isShown() const { return visible && bounds.width > 0 && bounds.height > 0; } final void selected(bool b) { if (_selected != b) { _selected = b; emit(PropName.selected, b, !b); } } final bool selected() const { return _selected; } final void visible(bool b) { if (_visible != b) { _visible = b; emit(PropName.visible, b, !b); } } final bool visible() const { return _visible; } final void pressed(bool b) { if (_pressed != b) { _pressed = b; emit(PropName.pressed, b, !b); } } final bool pressed() const { return _pressed; } final ref const(Color4d) fgColor() const { return _color.fgColor; } final ref Color4d fgColor() { return _color.fgColor; } final void fgColor(in Color4d newFgColor) { if (_color.fgColor != newFgColor) { auto oldFgColor = _color.fgColor; _color.fgColor = newFgColor; emit(PropName.fgColor, newFgColor, oldFgColor); } } final ref const(Color4d) bgColor() const { return _color.bgColor; } final ref Color4d bgColor() { return _color.bgColor; } final void bgColor(in Color4d newBgColor) { if (_color.bgColor != newBgColor) { auto oldBgColor = _color.bgColor; _color.bgColor = newBgColor; emit(PropName.bgColor, newBgColor, oldBgColor); } } final void nodeColor(in NodeColor nc) { fgColor = nc.fgColor; bgColor = nc.bgColor; } final ref const(NodeColor) nodeColor() const { return _color; } final void insets(in Insets2d newInsets) { if (newInsets != _insets) { auto oldInsets = _insets; _insets = newInsets; emit(PropName.insets, newInsets, oldInsets); } } final ref const(Insets2d) insets() const { return _insets; } final ref Insets2d insets() { return _insets; } final void alignment(in Vec2d newAlignment) { if (newAlignment != _alignment) { auto oldAlignment = _alignment; _alignment = newAlignment; emit(PropName.alignment, newAlignment, oldAlignment); } } final ref const(Vec2d) alignment() const { return _alignment; } final ref Vec2d alignment() { return _alignment; } final void layer(int newLayer) { if (newLayer != _layer) { auto oldLayer = _layer; _layer = newLayer; emit(PropName.layer, newLayer, oldLayer); } } final const(int) layer() const { return _layer; } final void animated(bool b) { if (b != _animated) { _animated = b; emit(PropName.animated, b, !b); } } final bool animated() const { return _animated; } final void margin(in Insets2d newMargin) { if (newMargin != _margin) { auto oldMargin = _margin; _margin = newMargin; emit(PropName.margin, newMargin, oldMargin); } } final ref const(Insets2d) margin() const { return _margin; } final ref Insets2d margin() { return _margin; } final void animOffset(in Vec2d newAnimOffset) { if (newAnimOffset != _animOffset) { auto oldAnimOffset = _animOffset; _animOffset = newAnimOffset; emit(PropName.animOffset, newAnimOffset, oldAnimOffset); } } final ref const(Vec2d) animOffset() const { return _animOffset; } final ref Vec2d animOffset() { return _animOffset; } final void animBounds(in Box2d newAnimBounds) { if (newAnimBounds != _animBounds) { auto oldAnimBounds = _animBounds; _animBounds = newAnimBounds; emit(PropName.animBounds, newAnimBounds, oldAnimBounds); } } final ref const(Box2d) animBounds() const { return _animBounds; } final ref Box2d animBounds() { return _animBounds; } final void bounds(in Box2d newBounds) { if (newBounds != _bounds) { auto oldBounds = _bounds; _bounds = newBounds; emit(PropName.bounds, newBounds, oldBounds); } } final ref const(Box2d) bounds() const { return _bounds; } final void totalBounds(in Box2d newTotalBounds) { if (newTotalBounds != _totalBounds) { auto oldTotalBounds = _totalBounds; _totalBounds = newTotalBounds; emit(PropName.totalBounds, newTotalBounds, oldTotalBounds); } } final ref const(Box2d) totalBounds() const { return _totalBounds; } final ref Box2d bounds() { return _bounds; } final string name() const { return _name; } final void name(string newName) { if (newName != _name) { auto oldName = _name; _name = newName; emit(PropName.name, newName, oldName); } } final void minDim(in Dim2d newMinDim) { if (newMinDim != _dim.min) { auto oldMinDim = _dim.min; _dim.min = newMinDim; emit(PropName.minDim, newMinDim, oldMinDim); } } final ref const(Dim2d) minDim() const { return _dim.min; } final void maxDim(in Dim2d newMaxDim) { if (newMaxDim != _dim.max) { auto oldMaxDim = _dim.max; _dim.max = newMaxDim; emit(PropName.maxDim, newMaxDim, oldMaxDim); } } final ref const(Dim2d) maxDim() const { return _dim.max; } final void prefDim(in Dim2d newPrefDim) { if (newPrefDim != _dim.pref) { auto oldPrefDim = _dim.pref; _dim.pref = newPrefDim; emit(PropName.prefDim, newPrefDim, oldPrefDim); } } final ref const(Dim2d) prefDim() const { return _dim.pref; } final void fitDim(in Dim2d newFitDim) { if (newFitDim != _dim.fit) { auto oldFitDim = _dim.fit; _dim.fit = newFitDim; emit(PropName.fitDim, newFitDim, oldFitDim); } } final ref const(Dim2d) fitDim() const { return _dim.fit; } final ref Node parent() { return _parent; } final ref Node[] children() { return _children; } final void selection(Selection newSelection) { if (newSelection !is _selection) { Selection oldSelection = _selection; _selection = newSelection; objectSignal.emit(PropName.selection, newSelection, oldSelection); } } final Selection selection() { return _selection; } final const(Selection) selection() const { return _selection; } final bool hasSelection() const { return _selection !is null; } }
D
/******************************************************************************* * Copyright (c) 2000, 2008 IBM Corporation and others. * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * which accompanies this distribution, and is available at * http://www.eclipse.org/legal/epl-v10.html * * Contributors: * IBM Corporation - initial API and implementation * Port to the D programming language: * Frank Benoit <benoit@tionex.de> *******************************************************************************/ module dwtx.jface.internal.text.html.HTML2TextReader; import dwtx.jface.internal.text.html.HTMLPrinter; // packageimport import dwtx.jface.internal.text.html.BrowserInformationControl; // packageimport import dwtx.jface.internal.text.html.SubstitutionTextReader; // packageimport import dwtx.jface.internal.text.html.HTMLTextPresenter; // packageimport import dwtx.jface.internal.text.html.BrowserInput; // packageimport import dwtx.jface.internal.text.html.SingleCharReader; // packageimport import dwtx.jface.internal.text.html.BrowserInformationControlInput; // packageimport import dwtx.jface.internal.text.html.HTMLMessages; // packageimport import dwt.dwthelper.utils; import dwtx.dwtxhelper.PushbackReader; import dwtx.dwtxhelper.Collection; static import tango.text.convert.Utf; import dwt.DWT; import dwt.custom.StyleRange; import dwtx.jface.text.TextPresentation; /** * Reads the text contents from a reader of HTML contents and translates * the tags or cut them out. * <p> * Moved into this package from <code>dwtx.jface.internal.text.revisions</code>.</p> */ public class HTML2TextReader : SubstitutionTextReader { private static const String EMPTY_STRING= ""; //$NON-NLS-1$ private static Map fgEntityLookup_; private static Set fgTags_; private static Map fgEntityLookup(){ if( fgEntityLookup_ is null ){ synchronized(HTML2TextReader.classinfo ){ if( fgEntityLookup_ is null ){ fgEntityLookup_= new HashMap(7); fgEntityLookup_.put("lt", "<"); //$NON-NLS-1$ //$NON-NLS-2$ fgEntityLookup_.put("gt", ">"); //$NON-NLS-1$ //$NON-NLS-2$ fgEntityLookup_.put("nbsp", " "); //$NON-NLS-1$ //$NON-NLS-2$ fgEntityLookup_.put("amp", "&"); //$NON-NLS-1$ //$NON-NLS-2$ fgEntityLookup_.put("circ", "^"); //$NON-NLS-1$ //$NON-NLS-2$ fgEntityLookup_.put("tilde", "~"); //$NON-NLS-2$ //$NON-NLS-1$ fgEntityLookup_.put("quot", "\""); //$NON-NLS-1$ //$NON-NLS-2$ } } } return fgEntityLookup_; } private static Set fgTags(){ if( fgTags_ is null ){ synchronized(HTML2TextReader.classinfo ){ if( fgTags_ is null ){ fgTags_= new HashSet(); fgTags_.add("b"); //$NON-NLS-1$ fgTags_.add("br"); //$NON-NLS-1$ fgTags_.add("br/"); //$NON-NLS-1$ fgTags_.add("div"); //$NON-NLS-1$ fgTags_.add("h1"); //$NON-NLS-1$ fgTags_.add("h2"); //$NON-NLS-1$ fgTags_.add("h3"); //$NON-NLS-1$ fgTags_.add("h4"); //$NON-NLS-1$ fgTags_.add("h5"); //$NON-NLS-1$ fgTags_.add("p"); //$NON-NLS-1$ fgTags_.add("dl"); //$NON-NLS-1$ fgTags_.add("dt"); //$NON-NLS-1$ fgTags_.add("dd"); //$NON-NLS-1$ fgTags_.add("li"); //$NON-NLS-1$ fgTags_.add("ul"); //$NON-NLS-1$ fgTags_.add("pre"); //$NON-NLS-1$ fgTags_.add("head"); //$NON-NLS-1$ } } } return fgTags_; } private int fCounter= 0; private TextPresentation fTextPresentation; private int fBold= 0; private int fStartOffset= -1; private bool fInParagraph= false; private bool fIsPreformattedText= false; private bool fIgnore= false; private bool fHeaderDetected= false; /** * Transforms the HTML text from the reader to formatted text. * * @param reader the reader * @param presentation If not <code>null</code>, formattings will be applied to * the presentation. */ public this(Reader reader, TextPresentation presentation) { super(new PushbackReader(reader)); fTextPresentation= presentation; } public int read() { int c= super.read(); if (c !is -1) ++ fCounter; return c; } protected void startBold() { if (fBold is 0) fStartOffset= fCounter; ++ fBold; } protected void startPreformattedText() { fIsPreformattedText= true; setSkipWhitespace(false); } protected void stopPreformattedText() { fIsPreformattedText= false; setSkipWhitespace(true); } protected void stopBold() { -- fBold; if (fBold is 0) { if (fTextPresentation !is null) { fTextPresentation.addStyleRange(new StyleRange(fStartOffset, fCounter - fStartOffset, null, null, DWT.BOLD)); } fStartOffset= -1; } } /* * @see dwtx.jdt.internal.ui.text.SubstitutionTextReader#computeSubstitution(int) */ protected String computeSubstitution(int c) { if (c is '<') return processHTMLTag(); else if (fIgnore) return EMPTY_STRING; else if (c is '&') return processEntity(); else if (fIsPreformattedText) return processPreformattedText(c); return null; } private String html2Text(String html) { if (html is null || html.length() is 0) return EMPTY_STRING; html= html.toLowerCase(); String tag= html; if ('/' is tag.charAt(0)) tag= tag.substring(1); if (!fgTags.contains(tag)) return EMPTY_STRING; if ("pre".equals(html)) { //$NON-NLS-1$ startPreformattedText(); return EMPTY_STRING; } if ("/pre".equals(html)) { //$NON-NLS-1$ stopPreformattedText(); return EMPTY_STRING; } if (fIsPreformattedText) return EMPTY_STRING; if ("b".equals(html)) { //$NON-NLS-1$ startBold(); return EMPTY_STRING; } if ((html.length() > 1 && html.charAt(0) is 'h' && Character.isDigit(html.charAt(1))) || "dt".equals(html)) { //$NON-NLS-1$ startBold(); return EMPTY_STRING; } if ("dl".equals(html)) //$NON-NLS-1$ return LINE_DELIM; if ("dd".equals(html)) //$NON-NLS-1$ return "\t"; //$NON-NLS-1$ if ("li".equals(html)) //$NON-NLS-1$ // FIXME: this hard-coded prefix does not work for RTL languages, see https://bugs.eclipse.org/bugs/show_bug.cgi?id=91682 return LINE_DELIM ~ HTMLMessages.getString("HTML2TextReader.listItemPrefix"); //$NON-NLS-1$ if ("/b".equals(html)) { //$NON-NLS-1$ stopBold(); return EMPTY_STRING; } if ("p".equals(html)) { //$NON-NLS-1$ fInParagraph= true; return LINE_DELIM; } if ("br".equals(html) || "br/".equals(html) || "div".equals(html)) //$NON-NLS-1$ //$NON-NLS-2$ //$NON-NLS-3$ return LINE_DELIM; if ("/p".equals(html)) { //$NON-NLS-1$ bool inParagraph= fInParagraph; fInParagraph= false; return inParagraph ? EMPTY_STRING : LINE_DELIM; } if ((html.startsWith("/h") && html.length() > 2 && Character.isDigit(html.charAt(2))) || "/dt".equals(html)) { //$NON-NLS-1$ //$NON-NLS-2$ stopBold(); return LINE_DELIM; } if ("/dd".equals(html)) //$NON-NLS-1$ return LINE_DELIM; if ("head".equals(html) && !fHeaderDetected) { //$NON-NLS-1$ fHeaderDetected= true; fIgnore= true; return EMPTY_STRING; } if ("/head".equals(html) && fHeaderDetected && fIgnore) { //$NON-NLS-1$ fIgnore= false; return EMPTY_STRING; } return EMPTY_STRING; } /* * A '<' has been read. Process a html tag */ private String processHTMLTag() { StringBuffer buf= new StringBuffer(); int ch; do { ch= nextDChar(); while (ch !is -1 && ch !is '>') { buf.append(dcharToString(Character.toLowerCase(cast(dchar) ch))); ch= nextDChar(); if (ch is '"'){ buf.append(dcharToString(Character.toLowerCase(cast(dchar) ch))); ch= nextDChar(); while (ch !is -1 && ch !is '"'){ buf.append(dcharToString(Character.toLowerCase(cast(dchar) ch))); ch= nextDChar(); } } if (ch is '<' && !isInComment(buf)) { unreadDChar(ch); return '<' ~ buf.toString(); } } if (ch is -1) return null; if (!isInComment(buf) || isCommentEnd(buf)) { break; } // unfinished comment buf.append(dcharToString(cast(dchar) ch)); } while (true); return html2Text(buf.toString()); } private static bool isInComment(StringBuffer buf) { return buf.length() >= 3 && "!--".equals(buf.slice().substring(0, 3)); //$NON-NLS-1$ } private static bool isCommentEnd(StringBuffer buf) { int tagLen= buf.length(); return tagLen >= 5 && "--".equals(buf.slice().substring(tagLen - 2)); //$NON-NLS-1$ } private String processPreformattedText(int c) { if (c is '\r' || c is '\n') fCounter++; return null; } private void unreadDChar(dchar ch) { char[4] buf; dchar[1] ibuf; ibuf[0] = ch; foreach( char c; tango.text.convert.Utf.toString( ibuf[], buf[] )){ (cast(PushbackReader) getReader()).unread(c); } } protected String entity2Text(String symbol) { if (symbol.length() > 1 && symbol.charAt(0) is '#') { int ch; try { if (symbol.charAt(1) is 'x') { ch= Integer.parseInt(symbol.substring(2), 16); } else { ch= Integer.parseInt(symbol.substring(1), 10); } return dcharToString( cast(dchar)ch); } catch (NumberFormatException e) { } } else { String str= stringcast( fgEntityLookup.get(symbol)); if (str !is null) { return str; } } return "&" ~ symbol; // not found //$NON-NLS-1$ } /* * A '&' has been read. Process a entity */ private String processEntity() { StringBuffer buf= new StringBuffer(); int ch= nextDChar(); while (Character.isLetterOrDigit(cast(dchar)ch) || ch is '#') { buf.append(dcharToString(cast(dchar) ch)); ch= nextDChar(); } if (ch is ';') return entity2Text(buf.toString()); buf.select(0, 0); buf.prepend("&"); if (ch !is -1) buf.append(dcharToString(cast(dchar) ch)); return buf.toString(); } }
D
/******************************************************************************* copyright: Copyright (c) 2004 Kris Bell. все rights reserved license: BSD стиль: $(LICENSE) version: Initial release: April 2004 author: Kris *******************************************************************************/ module net.Uri; public import net.model.UriView; //public alias Уир ОбзорУИР; private import exception; private import Целое = text.convert.Integer; /******************************************************************************* external линки *******************************************************************************/ extern (C) сим* memchr (сим *, сим, бцел); /******************************************************************************* Implements an RFC 2396 compliant URI specification. See <A HREF="http://ftp.ics.uci.edu/pub/ietf/уир/rfc2396.txt">this страница</A> for ещё information. The implementation fails the spec on two counts: it doesn't insist on a scheme being present in the Уир, и it doesn't implement the "Relative References" support noted in section 5.2. The latter can be найдено in util.PathUtil instead. Note that IRI support can be implied by assuming each of userinfo, путь, запрос, и fragment are UTF-8 кодирован (see <A HREF="http://www.w3.org/2001/Talks/0912-IUC-IRI/paper.html"> this страница</A> for further details). *******************************************************************************/ class Уир : ОбзорУИР { // simplistic ткст добавщик private alias т_мера delegate(проц[]) Consumer; /// old метод names public alias порт getPort; public alias defaultPort getDefaultPort; public alias scheme getScheme; public alias хост дайХост; public alias valКСЕРort дайВалидныйПорт; public alias userinfo getUserInfo; public alias путь дайПуть; public alias запрос getQuery; public alias fragment getFragment; public alias порт setPort; public alias scheme setScheme; public alias хост setHost; public alias userinfo setUserInfo; public alias запрос setQuery; public alias путь установиПуть; public alias fragment setFragment; public enum {InvalКСЕРort = -1} private цел port_; private ткст host_, путь_, query_, scheme_, userinfo_, fragment_; private СрезКучи decoded; private static ббайт карта[]; private static крат[ткст] genericSchemes; private static const ткст hexDigits = "0123456789abcdef"; private static const SchemePort[] schemePorts = [ {"coffee", 80}, {"файл", InvalКСЕРort}, {"ftp", 21}, {"gopher", 70}, {"hnews", 80}, {"http", 80}, {"http-ng", 80}, {"https", 443}, {"imap", 143}, {"irc", 194}, {"ldap", 389}, {"news", 119}, {"nfs", 2049}, {"nntp", 119}, {"вынь", 110}, {"rwhois", 4321}, {"shttp", 80}, {"smtp", 25}, {"snews", 563}, {"telnet", 23}, {"wais", 210}, {"whois", 43}, {"whois++", 43}, ]; public enum { ExcScheme = 0x01, ExcAuthority = 0x02, ExcPath = 0x04, IncUser = 0x80, // кодируй spec for User IncPath = 0x10, // кодируй spec for Путь IncQuery = 0x20, // кодируй spec for Query IncQueryAll = 0x40, IncScheme = 0x80, // кодируй spec for Scheme IncGeneric = IncScheme | IncUser | IncPath | IncQuery | IncQueryAll } // scheme и порт pairs private struct SchemePort { ткст имя; крат порт; } /*********************************************************************** Initialize the Уир character maps и so on ***********************************************************************/ static this () { // Карта known генерный schemes в_ their default порт. Specify // InvalКСЕРort for those schemes that don't use порты. Note // that a порт значение of zero is not supported ... foreach (SchemePort sp; schemePorts) genericSchemes[sp.имя] = sp.порт; genericSchemes.rehash; карта = new ббайт[256]; // загрузи the character карта with действителен symbols for (цел i='a'; i <= 'z'; ++i) карта[i] = IncGeneric; for (цел i='A'; i <= 'Z'; ++i) карта[i] = IncGeneric; for (цел i='0'; i<='9'; ++i) карта[i] = IncGeneric; // exclude these из_ parsing элементы карта[':'] |= ExcScheme; карта['/'] |= ExcScheme | ExcAuthority; карта['?'] |= ExcScheme | ExcAuthority | ExcPath; карта['#'] |= ExcScheme | ExcAuthority | ExcPath; // include these as common (unreserved) symbols карта['-'] |= IncUser | IncQuery | IncQueryAll | IncPath; карта['_'] |= IncUser | IncQuery | IncQueryAll | IncPath; карта['.'] |= IncUser | IncQuery | IncQueryAll | IncPath; карта['!'] |= IncUser | IncQuery | IncQueryAll | IncPath; карта['~'] |= IncUser | IncQuery | IncQueryAll | IncPath; карта['*'] |= IncUser | IncQuery | IncQueryAll | IncPath; карта['\''] |= IncUser | IncQuery | IncQueryAll | IncPath; карта['('] |= IncUser | IncQuery | IncQueryAll | IncPath; карта[')'] |= IncUser | IncQuery | IncQueryAll | IncPath; // include these as scheme symbols карта['+'] |= IncScheme; карта['-'] |= IncScheme; карта['.'] |= IncScheme; // include these as userinfo symbols карта[';'] |= IncUser; карта[':'] |= IncUser; карта['&'] |= IncUser; карта['='] |= IncUser; карта['+'] |= IncUser; карта['$'] |= IncUser; карта[','] |= IncUser; // include these as путь symbols карта['/'] |= IncPath; карта[';'] |= IncPath; карта[':'] |= IncPath; карта['@'] |= IncPath; карта['&'] |= IncPath; карта['='] |= IncPath; карта['+'] |= IncPath; карта['$'] |= IncPath; карта[','] |= IncPath; // include these as запрос symbols карта[';'] |= IncQuery | IncQueryAll; карта['/'] |= IncQuery | IncQueryAll; карта[':'] |= IncQuery | IncQueryAll; карта['@'] |= IncQuery | IncQueryAll; карта['='] |= IncQuery | IncQueryAll; карта['$'] |= IncQuery | IncQueryAll; карта[','] |= IncQuery | IncQueryAll; // '%' are permitted insопрe queries when constructing вывод карта['%'] |= IncQueryAll; карта['?'] |= IncQueryAll; карта['&'] |= IncQueryAll; } /*********************************************************************** Созд an пустой Уир ***********************************************************************/ this () { port_ = InvalКСЕРort; decoded.расширь (512); } /*********************************************************************** Construct a Уир из_ the provопрed character ткст ***********************************************************************/ this (ткст уир) { this (); разбор (уир); } /*********************************************************************** Construct a Уир из_ the given components. The запрос is optional. ***********************************************************************/ this (ткст scheme, ткст хост, ткст путь, ткст запрос = пусто) { this (); this.scheme_ = scheme; this.query_ = запрос; this.host_ = хост; this.путь_ = путь; } /*********************************************************************** Clone другой Уир. This can be использован в_ сделай a изменяемый Уир из_ an immutable ОбзорУИР. ***********************************************************************/ this (ОбзорУИР другой) { with (другой) { this (getScheme, дайХост, дайПуть, getQuery); this.userinfo_ = getUserInfo; this.fragment_ = getFragment; this.port_ = getPort; } } /*********************************************************************** Return the default порт for the given scheme. InvalКСЕРort is returned if the scheme is неизвестное, or does not прими a порт. ***********************************************************************/ final цел defaultPort (ткст scheme) { крат* порт = scheme in genericSchemes; if (порт is пусто) return InvalКСЕРort; return *порт; } /*********************************************************************** Return the разобрано scheme, or пусто if the scheme was not specified ***********************************************************************/ final ткст scheme() { return scheme_; } /*********************************************************************** Return the разобрано хост, or пусто if the хост was not specified ***********************************************************************/ final ткст хост() { return host_; } /*********************************************************************** Return the разобрано порт число, or InvalКСЕРort if the порт was not provопрed. ***********************************************************************/ final цел порт() { return port_; } /*********************************************************************** Return a действителен порт число by performing a отыщи on the known schemes if the порт was not explicitly specified. ***********************************************************************/ final цел valКСЕРort() { if (port_ is InvalКСЕРort) return defaultPort (scheme_); return port_; } /*********************************************************************** Return the разобрано userinfo, or пусто if userinfo was not provопрed. ***********************************************************************/ final ткст userinfo() { return userinfo_; } /*********************************************************************** Return the разобрано путь, or пусто if the путь was not provопрed. ***********************************************************************/ final ткст путь() { return путь_; } /*********************************************************************** Return the разобрано запрос, or пусто if a запрос was not provопрed. ***********************************************************************/ final ткст запрос() { return query_; } /*********************************************************************** Return the разобрано fragment, or пусто if a fragment was not provопрed. ***********************************************************************/ final ткст fragment() { return fragment_; } /*********************************************************************** Return whether or not the Уир scheme is consопрered генерный. ***********************************************************************/ final бул isGeneric () { return (scheme_ in genericSchemes) !is пусто; } /*********************************************************************** Emit the контент of this Уир via the provопрed Consumer. The вывод is constructed per RFC 2396. ***********************************************************************/ final т_мера произведи (Consumer используй) { т_мера возвр; if (scheme_.length) возвр += используй (scheme_), возвр += используй (":"); if (userinfo_.length || host_.length || port_ != InvalКСЕРort) { возвр += используй ("//"); if (userinfo_.length) возвр += кодируй (используй, userinfo_, IncUser), возвр +=используй ("@"); if (host_.length) возвр += используй (host_); if (port_ != InvalКСЕРort && port_ != getDefaultPort(scheme_)) { сим[8] врем; возвр += используй (":"), возвр += используй (Целое.itoa (врем, cast(бцел) port_)); } } if (путь_.length) возвр += кодируй (используй, путь_, IncPath); if (query_.length) { возвр += используй ("?"); возвр += кодируй (используй, query_, IncQueryAll); } if (fragment_.length) { возвр += используй ("#"); возвр += кодируй (используй, fragment_, IncQuery); } return возвр; } /*********************************************************************** Emit the контент of this Уир via the provопрed Consumer. The вывод is constructed per RFC 2396. ***********************************************************************/ final ткст вТкст () { проц[] s; s.length = 256, s.length = 0; произведи ((проц[] v) {return s ~= v, v.length;}); return cast(ткст) s; } /*********************************************************************** Encode уир characters преобр_в a Consumer, such that reserved симвы are преобразованый преобр_в their %hex version. ***********************************************************************/ static т_мера кодируй (Consumer используй, ткст s, цел флаги) { т_мера возвр; сим[3] hex; цел метка; hex[0] = '%'; foreach (цел i, сим c; s) { if (! (карта[c] & флаги)) { возвр += используй (s[метка..i]); метка = i+1; hex[1] = hexDigits [(c >> 4) & 0x0f]; hex[2] = hexDigits [c & 0x0f]; возвр += используй (hex); } } // добавь trailing section if (метка < s.length) возвр += используй (s[метка..s.length]); return возвр; } /*********************************************************************** Encode уир characters преобр_в a ткст, such that reserved симвы are преобразованый преобр_в their %hex version. Returns a dup'd ткст ***********************************************************************/ static ткст кодируй (ткст текст, цел флаги) { проц[] s; кодируй ((проц[] v) {return s ~= v, v.length;}, текст, флаги); return cast(ткст) s; } /*********************************************************************** Decode a character ткст with potential %hex значения in it. The decoded strings are placed преобр_в a нить-safe expanding буфер, и a срез of it is returned в_ the caller. ***********************************************************************/ private ткст decoder (ткст s, сим ignore=0) { static цел вЦел (сим c) { if (c >= '0' && c <= '9') c -= '0'; else if (c >= 'a' && c <= 'f') c -= ('a' - 10); else if (c >= 'A' && c <= 'F') c -= ('A' - 10); return c; } цел length = s.length; // возьми a Просмотр первый, в_ see if there's work в_ do if (length && memchr (s.ptr, '%', length)) { сим* p; цел j; // ensure we have enough decoding пространство available p = cast(сим*) decoded.расширь (length); // скан ткст, strИПping % encodings as we go for (цел i; i < length; ++i, ++j, ++p) { цел c = s[i]; if (c is '%' && (i+2) < length) { c = вЦел(s[i+1]) * 16 + вЦел(s[i+2]); // покинь ignored escapes in the поток, // permitting escaped '&' в_ remain in // the запрос ткст if (c && (c is ignore)) c = '%'; else i += 2; } *p = cast(сим)c; } // return a срез из_ the decoded ввод return cast(ткст) decoded.срез (j); } // return original контент return s; } /*********************************************************************** Decode a duplicated ткст with potential %hex значения in it ***********************************************************************/ final ткст раскодируй (ткст s) { return decoder(s).dup; } /*********************************************************************** Parsing is performed according в_ RFC 2396 <pre> ^(([^:/?#]+):)?(//([^/?#]*))?([^?#]*)(\?([^#]*))?(#(.*))? 12 3 4 5 6 7 8 9 2 isolates scheme 4 isolates authority 5 isolates путь 7 isolates запрос 9 isolates fragment </pre> This was originally a состояние-machine; it turned out в_ be a lot faster (~40%) when unwound like this instead. ***********************************************************************/ final Уир разбор (ткст уир, бул relative = нет) { сим c; цел i, метка; auto префикс = путь_; auto длин = уир.length; if (! relative) сбрось; // isolate scheme (note that it's ОК в_ not specify a scheme) for (i=0; i < длин && !(карта[c = уир[i]] & ExcScheme); ++i) {} if (c is ':') { scheme_ = уир [метка .. i]; вПроп (scheme_); метка = i + 1; } // isolate authority if (метка < длин-1 && уир[метка] is '/' && уир[метка+1] is '/') { for (метка+=2, i=метка; i < длин && !(карта[уир[i]] & ExcAuthority); ++i) {} parseAuthority (уир[метка .. i]); метка = i; } else if (relative) { auto голова = (уир[0] is '/') ? host_ : toLastSlash(префикс); query_ = fragment_ = пусто; уир = голова ~ уир; длин = уир.length; метка = голова.length; } // isolate путь for (i=метка; i < длин && !(карта[уир[i]] & ExcPath); ++i) {} путь_ = decoder (уир[метка .. i]); метка = i; // isolate запрос if (метка < длин && уир[метка] is '?') { for (++метка, i=метка; i < длин && уир[i] != '#'; ++i) {} query_ = decoder (уир[метка .. i], '&'); метка = i; } // isolate fragment if (метка < длин && уир[метка] is '#') fragment_ = decoder (уир[метка+1 .. длин]); return this; } /*********************************************************************** Clear everything в_ пусто. ***********************************************************************/ final проц сбрось() { decoded.сбрось; port_ = InvalКСЕРort; host_ = путь_ = query_ = scheme_ = userinfo_ = fragment_ = пусто; } /*********************************************************************** Parse the given уир, with support for relative URLs ***********************************************************************/ final Уир отнРазбор (ткст уир) { return разбор (уир, да); } /*********************************************************************** Набор the Уир scheme ***********************************************************************/ final Уир scheme (ткст scheme) { this.scheme_ = scheme; return this; } /*********************************************************************** Набор the Уир хост ***********************************************************************/ final Уир хост (ткст хост) { this.host_ = хост; return this; } /*********************************************************************** Набор the Уир порт ***********************************************************************/ final Уир порт (цел порт) { this.port_ = порт; return this; } /*********************************************************************** Набор the Уир userinfo ***********************************************************************/ final Уир userinfo (ткст userinfo) { this.userinfo_ = userinfo; return this; } /*********************************************************************** Набор the Уир запрос ***********************************************************************/ final Уир запрос (ткст запрос) { this.query_ = запрос; return this; } /*********************************************************************** Extend the Уир запрос ***********************************************************************/ final ткст extendQuery (ткст хвост) { if (хвост.length) if (query_.length) query_ = query_ ~ "&" ~ хвост; else query_ = хвост; return query_; } /*********************************************************************** Набор the Уир путь ***********************************************************************/ final Уир путь (ткст путь) { this.путь_ = путь; return this; } /*********************************************************************** Набор the Уир fragment ***********************************************************************/ final Уир fragment (ткст fragment) { this.fragment_ = fragment; return this; } /*********************************************************************** Authority is the section after the scheme, but before the путь, запрос or fragment; it typically represents a хост. --- ^(([^@]*)@?)([^:]*)?(:(.*))? 12 3 4 5 2 isolates userinfo 3 isolates хост 5 isolates порт --- ***********************************************************************/ private проц parseAuthority (ткст auth) { цел метка, длин = auth.length; // получи userinfo: (([^@]*)@?) foreach (цел i, сим c; auth) if (c is '@') { userinfo_ = decoder (auth[0 .. i]); метка = i + 1; break; } // получи порт: (:(.*))? for (цел i=метка; i < длин; ++i) if (auth [i] is ':') { port_ = Целое.atoi (auth [i+1 .. длин]); длин = i; break; } // получи хост: ([^:]*)? host_ = auth [метка..длин]; } /********************************************************************** **********************************************************************/ private final ткст toLastSlash (ткст путь) { if (путь.ptr) for (auto p = путь.ptr+путь.length; --p >= путь.ptr;) if (*p is '/') return путь [0 .. (p-путь.ptr)+1]; return путь; } /********************************************************************** in-place conversion в_ lowercase **********************************************************************/ private final static ткст вПроп (ref ткст ист) { foreach (ref сим c; ист) if (c >= 'A' && c <= 'Z') c = cast(сим)(c + ('a' - 'A')); return ист; } } /******************************************************************************* *******************************************************************************/ private struct СрезКучи { private бцел использован; private проц[] буфер; /*********************************************************************** Reset контент length в_ zero ***********************************************************************/ final проц сбрось () { использован = 0; } /*********************************************************************** Potentially расширь the контент пространство, и return a pointer в_ the старт of the пустой section. ***********************************************************************/ final ук расширь (бцел размер) { auto длин = использован + размер; if (длин > буфер.length) буфер.length = длин + длин/2; return &буфер [использован]; } /*********************************************************************** Return a срез of the контент из_ the текущ позиция with the specified размер. Adjusts the текущ позиция в_ точка at an пустой зона. ***********************************************************************/ final проц[] срез (цел размер) { бцел i = использован; использован += размер; return буфер [i..использован]; } } /******************************************************************************* Unittest *******************************************************************************/ debug (UnitTest) { import util.log.Trace; unittest { auto уир = new Уир; auto uristring = "http://www.example.com/click.html/c=37571:RoS_Intern_search-link3_LB_Sky_Rec/b=98983:news-время-ищи-link_leader_neu/l=68%7C%7C%7C%7Cde/url=http://ads.ad4max.com/adclick.aspx?опр=cf722624-efd5-4b10-ad53-88a5872a8873&pubad=b9c8acc4-e396-4b0b-b665-8bb3078128e6&avопр=963171985&adcpc=xrH%2f%2bxVeFaPVkbVCMufB5A%3d%3d&a1v=6972657882&a1lang=de&a1ou=http%3a%2f%2fad.ищи.ch%2fiframe_ad.html%3fcampaignname%3dRoS_Intern_search-link3_LB_Sky_Rec%26bannername%3dnews-время-ищи-link_leader_neu%26iframeопр%3dsl_if1%26content%3dvZLLbsIwEEX3%2bQo3aqUW1XEgkAckSJRuKqEuoDuELD%2bmiSEJyDEE%2fr7h0cKm6q6SF9bVjH3uzI3vMOaVYdpgPIwrodXGIHPYQGIb2BuyZDt2Vu2hRUh8Nx%2b%2fjj5Gc4u0UNAJ95H7jCbAJGi%2bZlqix3eoqyfUIhaT3YLtabpVEiXI5pEImRBdDF7k4y53Oea%2b38Mh554bhO1OCL49%2bO6qlTTZsa3546pmoNLMHOXIvaoapNIgTnpmzKZPCJNOBUyLzBEZEbkSKyczRU5E4gW9oN2frmf0rTSgS3quw7kqVx6dvNDZ6kCnIAhPojAKvX7Z%2bMFGFYBvKml%2bskxL2JI88cOHYPxzJJCtzpP79pXQaCZWqkxppcVvlDsF9b9CqiJNLiB1Xd%2bQqIKlUBHXSdWnjQbN1heLoRWTcwz%2bCAlqLCZXg5VzHoEj1gW5XJeVffOcFR8TCKVs8vcF%26crc%3dac8cc2fa9ec2e2de9d242345c2d40c25"; уир.разбор(uristring); with(уир) { assert(scheme == "http"); assert(хост == "www.example.com"); assert(порт == InvalКСЕРort); assert(userinfo == пусто); assert(fragment == пусто); assert(путь == "/click.html/c=37571:RoS_Intern_search-link3_LB_Sky_Rec/b=98983:news-время-ищи-link_leader_neu/l=68||||de/url=http://ads.ad4max.com/adclick.aspx"); assert(запрос == "опр=cf722624-efd5-4b10-ad53-88a5872a8873&pubad=b9c8acc4-e396-4b0b-b665-8bb3078128e6&avопр=963171985&adcpc=xrH/+xVeFaPVkbVCMufB5A==&a1v=6972657882&a1lang=de&a1ou=http://ad.ищи.ch/iframe_ad.html?campaignname=RoS_Intern_search-link3_LB_Sky_Rec%26bannername=news-время-ищи-link_leader_neu%26iframeопр=sl_if1%26content=vZLLbsIwEEX3+Qo3aqUW1XEgkAckSJRuKqEuoDuELD+miSEJyDEE/r7h0cKm6q6SF9bVjH3uzI3vMOaVYdpgPIwrodXGIHPYQGIb2BuyZDt2Vu2hRUh8Nx+/jj5Gc4u0UNAJ95H7jCbAJGi+Zlqix3eoqyfUIhaT3YLtabpVEiXI5pEImRBdDF7k4y53Oea+38Mh554bhO1OCL49+O6qlTTZsa3546pmoNLMHOXIvaoapNIgTnpmzKZPCJNOBUyLzBEZEbkSKyczRU5E4gW9oN2frmf0rTSgS3quw7kqVx6dvNDZ6kCnIAhPojAKvX7Z+MFGFYBvKml+skxL2JI88cOHYPxzJJCtzpP79pXQaCZWqkxppcVvlDsF9b9CqiJNLiB1Xd+QqIKlUBHXSdWnjQbN1heLoRWTcwz+CAlqLCZXg5VzHoEj1gW5XJeVffOcFR8TCKVs8vcF%26crc=ac8cc2fa9ec2e2de9d242345c2d40c25"); разбор("psyc://example.net/~marenz?что#_presence"); assert(scheme == "psyc"); assert(хост == "example.net"); assert(порт == InvalКСЕРort); assert(fragment == "_presence"); assert(путь == "/~marenz"); assert(запрос == "что"); } //Квывод (уир).нс; //Квывод (уир.кодируй ("&#$%", уир.IncQuery)).нс; } }
D
instance DIA_BAALKAGAN_EXIT(C_INFO) { npc = nov_1332_baalkagan; nr = 999; condition = dia_baalkagan_exit_condition; information = dia_baalkagan_exit_info; permanent = 1; description = DIALOG_ENDE; }; func int dia_baalkagan_exit_condition() { return 1; }; func void dia_baalkagan_exit_info() { AI_StopProcessInfos(self); }; instance DIA_BAALKAGAN_HELLO(C_INFO) { npc = nov_1332_baalkagan; nr = 1; condition = dia_baalkagan_hello_condition; information = dia_baalkagan_hello_info; permanent = 0; description = "Ты пришел из Лагеря Сектантов?"; }; func int dia_baalkagan_hello_condition() { if(!c_npcbelongstopsicamp(hero)) { return 1; }; }; func void dia_baalkagan_hello_info() { AI_Output(other,self,"DIA_BaalKagan_Hello_15_00"); //Ты пришел из Лагеря сектантов? AI_Output(self,other,"DIA_BaalKagan_Hello_13_01"); //Мы называем его лагерем Братства. AI_Output(self,other,"DIA_BaalKagan_Hello_13_02"); //Меня зовут Идол Каган. Да пребудет с тобой Спящий! }; instance DIA_BAALKAGAN_HELLO_2(C_INFO) { npc = nov_1332_baalkagan; nr = 1; condition = dia_baalkagan_hello_2_condition; information = dia_baalkagan_hello_2_info; permanent = 0; description = "Привет!"; }; func int dia_baalkagan_hello_2_condition() { if(c_npcbelongstopsicamp(hero) && !Npc_KnowsInfo(hero,dia_baalkagan_hello)) { return 1; }; }; func void dia_baalkagan_hello_2_info() { AI_Output(other,self,"DIA_Grd_217_First_15_00"); //Привет! AI_Output(other,self,"DIA_Raven_Who_15_00"); //Кто ты? AI_Output(self,other,"DIA_BaalKagan_Hello_13_02"); //Меня зовут Идол Каган. Да пребудет с тобой Спящий! }; instance DIA_BAALKAGAN_WHYHERE(C_INFO) { npc = nov_1332_baalkagan; nr = 1; condition = dia_baalkagan_whyhere_condition; information = dia_baalkagan_whyhere_info; permanent = 0; description = "А что ты здесь делаешь?"; }; func int dia_baalkagan_whyhere_condition() { if(Npc_KnowsInfo(hero,dia_baalkagan_hello)) { return 1; }; }; func void dia_baalkagan_whyhere_info() { AI_Output(other,self,"DIA_BaalKagan_WhyHere_15_00"); //А что ты здесь делаешь? AI_Output(self,other,"DIA_BaalKagan_WhyHere_13_01"); //Гуру прислали меня проповедовать учение Спящего среди неверных. AI_Output(self,other,"DIA_BaalKagan_WhyHere_13_02"); //Но эти люди ничего не хотят знать о духовном просветлении. Поэтому сейчас я просто продаю болотник. AI_Output(self,other,"DIA_BaalKagan_WhyHere_13_03"); //Уж его-то здесь раскупают быстро. Так быстро, что моего болотника здесь всегда не хватает. Log_CreateTopic(GE_TRADERNC,LOG_NOTE); b_logentry(GE_TRADERNC,"Идол Каган продает болотник ворам и наемникам из Нового лагеря."); }; instance DIA_BAALKAGAN_TRADE(C_INFO) { npc = nov_1332_baalkagan; nr = 800; condition = dia_baalkagan_trade_condition; information = dia_baalkagan_trade_info; permanent = 1; description = "Покажи мне свои товары."; trade = 1; }; func int dia_baalkagan_trade_condition() { if(Npc_KnowsInfo(hero,dia_baalkagan_whyhere)) { return 1; }; }; func void dia_baalkagan_trade_info() { AI_Output(other,self,"DIA_BaalKagan_TRADE_15_00"); //Покажи мне свои товары. AI_Output(self,other,"DIA_BaalKagan_TRADE_13_01"); //Как пожелаешь! }; instance DIA_BAALKAGAN_ORDERHELP(C_INFO) { npc = nov_1332_baalkagan; nr = 2; condition = dia_baalkagan_orderhelp_condition; information = dia_baalkagan_orderhelp_info; permanent = 0; description = "Почему бы им не послать сюда кого-нибудь еще?"; }; func int dia_baalkagan_orderhelp_condition() { if(Npc_KnowsInfo(hero,dia_baalkagan_whyhere) && KAPITEL < 3) { return 1; }; }; func void dia_baalkagan_orderhelp_info() { AI_Output(other,self,"DIA_BaalKagan_OrderHelp_15_00"); //Почему бы им не послать сюда кого-нибудь еще? AI_Output(self,other,"DIA_BaalKagan_OrderHelp_13_01"); //У меня есть здесь помощник. Идол Исидро. Но он целыми днями пропадает в баре на озере, где пропивает весь свой болотник. AI_Output(self,other,"DIA_BaalKagan_OrderHelp_13_02"); //Его больше привлекает шнапс, чем служение Спящему. От него мне никакой помощи. AI_Output(other,self,"DIA_BaalKagan_WannaHelp_15_04"); //Думаю, теперь у тебя никак не получится справиться с этим. AI_Output(self,other,"DIA_BaalKagan_WannaHelp_13_05"); //Наши братья позаботятся об Идоле Исидро. Я уже отправил сообщение Кор Галому. if(LARES_GET400ORE == LOG_RUNNING) { Log_CreateTopic(CH1_DEALERJOB,LOG_MISSION); Log_SetTopicStatus(CH1_DEALERJOB,LOG_RUNNING); b_logentry(CH1_DEALERJOB,"Идол Каган жалуется, что Идол Исидро весь день сидит в баре на озере и пьянствует."); }; }; instance DIA_BAALKAGAN_WANNAHELP(C_INFO) { npc = nov_1332_baalkagan; nr = 3; condition = dia_baalkagan_wannahelp_condition; information = dia_baalkagan_wannahelp_info; permanent = 0; description = "Я могу помочь тебе продавать здесь болотник."; }; func int dia_baalkagan_wannahelp_condition() { if(Npc_KnowsInfo(hero,dia_baalkagan_whyhere)) { return 1; }; }; func void dia_baalkagan_wannahelp_info() { AI_Output(other,self,"DIA_BaalKagan_WannaHelp_15_00"); //Я могу помочь тебе продавать здесь болотник. AI_Output(self,other,"DIA_BaalKagan_WannaHelp_13_01"); //Я не могу доверить это важное дело незнакомому человеку. Только одному из наших последователей могу позволить это. AI_Output(self,other,"DIA_BaalKagan_WannaHelp_13_02"); //Но и твоя помощь может мне пригодиться. AI_Output(self,other,"DIA_BaalKagan_WannaHelp_13_03"); //В этом лагере не все еще знают о болотнике. Попробовав его один раз, они будут приходить ко мне еще и еще. Спрос на него повысится. }; instance DIA_BAALKAGAN_WASDRIN(C_INFO) { npc = nov_1332_baalkagan; nr = 3; condition = dia_baalkagan_wasdrin_condition; information = dia_baalkagan_wasdrin_info; permanent = 0; description = "А что я получу, если раздам твой болотник?"; }; func int dia_baalkagan_wasdrin_condition() { if(Npc_KnowsInfo(hero,dia_baalkagan_wannahelp)) { return 1; }; }; func void dia_baalkagan_wasdrin_info() { AI_Output(other,self,"DIA_BaalKagan_WasDrin_15_00"); //А что я получу, если раздам твой болотник? AI_Output(self,other,"DIA_BaalKagan_WasDrin_13_01"); //Я сумею щедро наградить тебя. AI_Output(self,other,"DIA_BaalKagan_WasDrin_13_02"); //Ты можешь взять у меня свитки, хранящие тайную магию Спящего. if((Npc_GetTrueGuild(hero) == GIL_NONE) && (KAPITEL < 2)) { AI_Output(self,other,"DIA_BaalKagan_WasDrin_13_03"); //Еще я могу помочь тебе вступить в наше Братство, если ты этого пожелаешь. У меня хорошие отношения с Кор Галомом и Идолом Тионом, которые отвечают за прием послушников. AI_Output(self,other,"DIA_BaalKagan_WasDrin_13_04"); //Юберион прислушивается к их советам. }; AI_Output(self,other,"DIA_BaalKagan_WasDrin_13_05"); //Если все это тебе не по нраву, ты можешь выбрать руду. Тогда я заплачу тебе 100 кусков за твои старания. }; var int baalkagan_verteilkraut; instance DIA_BAALKAGAN_GIMMEKRAUT(C_INFO) { npc = nov_1332_baalkagan; nr = 3; condition = dia_baalkagan_gimmekraut_condition; information = dia_baalkagan_gimmekraut_info; permanent = 0; description = "Хорошо. Давай болотник. Кому его нужно раздать?"; }; func int dia_baalkagan_gimmekraut_condition() { if(Npc_KnowsInfo(hero,dia_baalkagan_wasdrin)) { return 1; }; }; func void dia_baalkagan_gimmekraut_info() { AI_Output(other,self,"DIA_BaalKagan_GimmeKraut_15_00"); //Хорошо. Давай болотник. Кому его нужно раздать? b_printtrademsg1("Получено 10 'Новичков'."); AI_Output(self,other,"DIA_BaalKagan_GimmeKraut_13_01"); //Думаю, тебе легко удастся найти тех, кто возьмет у тебя болотник. Но каждый из них может получить только одну сигарету, не больше. AI_Output(self,other,"DIA_BaalKagan_GimmeKraut_13_02"); //И еще: если кто-то заберет у тебя этот болотник или ты сам его используешь, то можешь считать, что мы ни о чем не договаривались. AI_Output(other,self,"DIA_BaalKagan_GimmeKraut_15_03"); //Конечно. BAALKAGAN_VERTEILKRAUT = LOG_RUNNING; Log_CreateTopic(CH1_SPREADJOINTS,LOG_MISSION); Log_SetTopicStatus(CH1_SPREADJOINTS,LOG_RUNNING); b_logentry(CH1_SPREADJOINTS,"Послушник Идол Каган дал мне десять порций болотника, чтобы я раздал его людям в лагере."); CreateInvItems(self,itmijoint_1,10); b_giveinvitems(self,hero,itmijoint_1,10); }; instance DIA_BAALKAGAN_SUCCESS(C_INFO) { npc = nov_1332_baalkagan; nr = 3; condition = dia_baalkagan_success_condition; information = dia_baalkagan_success_info; permanent = 1; description = "Я раздал весь болотник."; }; func int dia_baalkagan_success_condition() { if(BAALKAGAN_VERTEILKRAUT == LOG_RUNNING) { return 1; }; }; func void dia_baalkagan_success_info() { AI_Output(other,self,"DIA_BaalKagan_SUCCESS_15_00"); //Я раздал весь болотник. if(NC_JOINTS_VERTEILT >= 10) { AI_Output(self,other,"DIA_BaalKagan_SUCCESS_13_01"); //У меня уже побывали новые покупатели, ты хорошо справился со своей задачей. AI_Output(self,other,"DIA_BaalKagan_SUCCESS_13_02"); //Как я могу отблагодарить тебя? Info_ClearChoices(dia_baalkagan_success); Info_AddChoice(dia_baalkagan_success,"Дай мне сто кусков руды.",dia_baalkagan_success_erz); if((Npc_GetTrueGuild(hero) == GIL_NONE) && (KAPITEL < 2)) { Info_AddChoice(dia_baalkagan_success,"Помоги мне присоединиться к Братству.",dia_baalkagan_success_join); }; Info_AddChoice(dia_baalkagan_success,"Ты говорил что-то о магических свитках. Расскажи о них.",dia_baalkagan_success_whatspells); BAALKAGAN_VERTEILKRAUT = LOG_SUCCESS; Log_SetTopicStatus(CH1_SPREADJOINTS,LOG_SUCCESS); b_logentry(CH1_SPREADJOINTS,"У Идола Кагана появились новые покупатели, а я получил свою награду."); b_givexp(XP_DISTRIBUTEDWEEDFORKAGAN); } else { AI_Output(self,other,"DIA_BaalKagan_NO_SUCCESS_13_00"); //Я еще не видел новых покупателей. Кажется, ты раздал не все. }; }; func void dia_baalkagan_success_whatspells() { AI_Output(other,self,"DIA_BaalKagan_SUCCESS_WhatSpells_15_00"); //Ты говорил что-то о магических свитках. Расскажи о них поподробнее. AI_Output(self,other,"DIA_BaalKagan_SUCCESS_WhatSpells_13_01"); //Кулак ветра, Чары, Телекинез, Пирокинез и Сон. Ты можешь выбрать три свитка. Info_AddChoice(dia_baalkagan_success,"Я возьму магические свитки.",dia_baalkagan_success_takescrolls); }; func void dia_baalkagan_success_join() { Info_ClearChoices(dia_baalkagan_success); AI_Output(other,self,"DIA_BaalKagan_SUCCESS_Join_15_00"); //Помоги мне присоединиться к Братству. AI_Output(self,other,"DIA_BaalKagan_SUCCESS_Join_13_01"); //Твоя скромность похвальна. Я помогу тебе, слушай же. Идол Тион является одним из младших Гуру нашего Братства. AI_Output(self,other,"DIA_BaalKagan_SUCCESS_Join_13_02"); //Недавно Юберион назначил его своим советником. Но от этого его поведение только ухудшилось. AI_Output(self,other,"DIA_BaalKagan_SUCCESS_Join_13_03"); //Теперь он гордится собой, как никогда, и поэтому не разговаривает ни с кем, кроме своих учеников. AI_Output(self,other,"DIA_BaalKagan_SUCCESS_Join_13_04"); //Если ты передашь ему эту вещь, он сделает для тебя исключение. b_printtrademsg1("Получен улучшенный 'Зов мечты'."); CreateInvItem(self,specialjoint); b_giveinvitems(self,other,specialjoint,1); Log_CreateTopic(CH1_JOINPSI,LOG_MISSION); Log_SetTopicStatus(CH1_JOINPSI,LOG_RUNNING); b_logentry(CH1_JOINPSI,"Идол Каган дал мне для Идола Тиона улучшенный 'Зов мечты'. Это поможет мне вступить в Братство Спящего."); }; func void dia_baalkagan_success_erz() { AI_Output(other,self,"DIA_BaalKagan_SUCCESS_Erz_15_00"); //Дай мне сто кусков руды. AI_Output(self,other,"DIA_BaalKagan_SUCCESS_Erz_13_01"); //Ты сделал выбор. Бери. b_printtrademsg1("Получено руды: 100"); CreateInvItems(self,itminugget,100); b_giveinvitems(self,other,itminugget,100); Info_ClearChoices(dia_baalkagan_success); }; func void dia_baalkagan_success_takescrolls() { AI_Output(other,self,"DIA_BaalKagan_SUCCESS_TakeScrolls_15_00"); //Я возьму магические свитки. AI_Output(self,other,"DIA_BaalKagan_SUCCESS_TakeScrolls_13_01"); //Ты принял хорошее решение. Выбирай три свитка. Info_ClearChoices(dia_baalkagan_success); Info_AddChoice(dia_baalkagan_success,"Кулак ветра",dia_baalkagan_success_takescrolls_windfaust); Info_AddChoice(dia_baalkagan_success,"Телекинез",dia_baalkagan_success_takescrolls_telekinese); Info_AddChoice(dia_baalkagan_success,"Пирокинез",dia_baalkagan_success_takescrolls_pyrokinese); Info_AddChoice(dia_baalkagan_success,"Сон",dia_baalkagan_success_takescrolls_schlaf); Info_AddChoice(dia_baalkagan_success,"Чары",dia_baalkagan_success_takescrolls_charme); }; var int baalkagan_drei; func void dia_baalkagan_success_takescrolls_windfaust() { b_printtrademsg1("Получен свиток кулака ветра."); CreateInvItem(self,itarscrollwindfist); b_giveinvitems(self,hero,itarscrollwindfist,1); BAALKAGAN_DREI = BAALKAGAN_DREI + 1; if(BAALKAGAN_DREI >= 3) { AI_Output(self,other,"DIA_BaalKagan_SUCCESS_TakeScrolls_DREI_13_00"); //Ты взял три свитка. Используй их с умом. Info_ClearChoices(dia_baalkagan_success); }; }; func void dia_baalkagan_success_takescrolls_telekinese() { b_printtrademsg1("Получен свиток телекинеза."); CreateInvItem(self,itarscrolltelekinesis); b_giveinvitems(self,hero,itarscrolltelekinesis,1); BAALKAGAN_DREI = BAALKAGAN_DREI + 1; if(BAALKAGAN_DREI >= 3) { AI_Output(self,other,"DIA_BaalKagan_SUCCESS_TakeScrolls_DREI_13_00"); //Ты взял три свитка. Используй их с умом. Info_ClearChoices(dia_baalkagan_success); }; }; func void dia_baalkagan_success_takescrolls_pyrokinese() { b_printtrademsg1("Получен свиток пирокинеза."); CreateInvItem(self,itarscrollpyrokinesis); b_giveinvitems(self,hero,itarscrollpyrokinesis,1); BAALKAGAN_DREI = BAALKAGAN_DREI + 1; if(BAALKAGAN_DREI >= 3) { AI_Output(self,other,"DIA_BaalKagan_SUCCESS_TakeScrolls_DREI_13_00"); //Ты взял три свитка. Используй их с умом. Info_ClearChoices(dia_baalkagan_success); }; }; func void dia_baalkagan_success_takescrolls_schlaf() { b_printtrademsg1("Получен свиток сна."); CreateInvItem(self,itarscrollsleep); b_giveinvitems(self,hero,itarscrollsleep,1); BAALKAGAN_DREI = BAALKAGAN_DREI + 1; if(BAALKAGAN_DREI >= 3) { AI_Output(self,other,"DIA_BaalKagan_SUCCESS_TakeScrolls_DREI_13_00"); //Ты взял три свитка. Используй их с умом. Info_ClearChoices(dia_baalkagan_success); }; }; func void dia_baalkagan_success_takescrolls_charme() { b_printtrademsg1("Получен свиток чар."); CreateInvItem(self,itarscrollcharm); b_giveinvitems(self,hero,itarscrollcharm,1); BAALKAGAN_DREI = BAALKAGAN_DREI + 1; if(BAALKAGAN_DREI >= 3) { AI_Output(self,other,"DIA_BaalKagan_SUCCESS_TakeScrolls_DREI_13_00"); //Ты взял три свитка. Используй их с умом. Info_ClearChoices(dia_baalkagan_success); }; };
D
/Users/julia/ruhackathon/target/rls/debug/deps/spin-28b8f47481b0389a.rmeta: /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/lib.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/mutex.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/rw_lock.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/once.rs /Users/julia/ruhackathon/target/rls/debug/deps/libspin-28b8f47481b0389a.rlib: /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/lib.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/mutex.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/rw_lock.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/once.rs /Users/julia/ruhackathon/target/rls/debug/deps/spin-28b8f47481b0389a.d: /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/lib.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/mutex.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/rw_lock.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/once.rs /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/lib.rs: /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/mutex.rs: /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/rw_lock.rs: /Users/julia/.cargo/registry/src/github.com-1ecc6299db9ec823/spin-0.5.2/src/once.rs:
D
/home/liyun/clink/zkp_test/ckb-zkp/target/debug/build/generic-array-0103bcd62cacbfee/build_script_build-0103bcd62cacbfee: /home/liyun/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/generic-array-0.14.4/build.rs /home/liyun/clink/zkp_test/ckb-zkp/target/debug/build/generic-array-0103bcd62cacbfee/build_script_build-0103bcd62cacbfee.d: /home/liyun/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/generic-array-0.14.4/build.rs /home/liyun/.cargo/registry/src/mirrors.ustc.edu.cn-61ef6e0cd06fb9b8/generic-array-0.14.4/build.rs:
D
module deepmagic.dom.xml.xml; import deepmagic.dom; /+ import std.algorithm : count, startsWith; import std.array; import std.ascii; import std.string; import std.encoding; +/ enum cdata = "<![CDATA["; bool isChar(dchar c) { if (c <= 0xD7FF) { if (c >= 0x20) return true; switch(c) { case 0xA: case 0x9: case 0xD: return true; default: return false; } } else if (0xE000 <= c && c <= 0x10FFFF) { if ((c & 0x1FFFFE) != 0xFFFE) // U+FFFE and U+FFFF return true; } return false; } bool isSpace(dchar c) { return c == '\u0020' || c == '\u0009' || c == '\u000A' || c == '\u000D'; } bool isDigit(dchar c) { if (c <= 0x0039 && c >= 0x0030) return true; else return lookup(DigitTable,c); } bool isLetter(dchar c) // rule 84 { return isIdeographic(c) || isBaseChar(c); } bool isIdeographic(dchar c) { if (c == 0x3007) return true; if (c <= 0x3029 && c >= 0x3021 ) return true; if (c <= 0x9FA5 && c >= 0x4E00) return true; return false; } bool isBaseChar(dchar c) { return lookup(BaseCharTable,c); } bool isCombiningChar(dchar c) { return lookup(CombiningCharTable,c); } bool isExtender(dchar c) { return lookup(ExtenderTable,c); } S encode(S)(S s) { string r; size_t lastI; auto result = appender!S(); foreach (i, c; s) { switch (c) { case '&': r = "&amp;"; break; case '"': r = "&quot;"; break; case '\'': r = "&apos;"; break; case '<': r = "&lt;"; break; case '>': r = "&gt;"; break; default: continue; } // Replace with r result.put(s[lastI .. i]); result.put(r); lastI = i + 1; } if (!result.data.ptr) return s; result.put(s[lastI .. $]); return result.data; } enum DecodeMode { NONE, LOOSE, STRICT } /** * Decodes a string by unescaping all predefined XML entities. * * encode() escapes certain characters (ampersand, quote, apostrophe, less-than * and greater-than), and similarly, decode() unescapes them. These functions * are provided for convenience only. You do not need to use them when using * the std.xml classes, because then all the encoding and decoding will be done * for you automatically. * * This function decodes the entities &amp;amp;, &amp;quot;, &amp;apos;, * &amp;lt; and &amp;gt, * as well as decimal and hexadecimal entities such as &amp;#x20AC; * * If the string does not contain an ampersand, the original will be returned. * * Note that the "mode" parameter can be one of DecodeMode.NONE (do not * decode), DecodeMode.LOOSE (decode, but ignore errors), or DecodeMode.STRICT * (decode, and throw a DecodeException in the event of an error). * * Standards: $(LINK2 http://www.w3.org/TR/1998/REC-xml-19980210, XML 1.0) * * Params: * s = The string to be decoded * mode = (optional) Mode to use for decoding. (Defaults to LOOSE). * * Throws: DecodeException if mode == DecodeMode.STRICT and decode fails * * Returns: The decoded string * * Examples: * -------------- * writefln(decode("a &gt; b")); // writes "a > b" * -------------- */ string decode(string s, DecodeMode mode=DecodeMode.LOOSE) { import std.utf : encode; if (mode == DecodeMode.NONE) return s; char[] buffer; foreach (ref i; 0 .. s.length) { char c = s[i]; if (c != '&') { if (buffer.length != 0) buffer ~= c; } else { if (buffer.length == 0) { buffer = s[0 .. i].dup; } if (startsWith(s[i..$],"&#")) { try { dchar d; string t = s[i..$]; checkCharRef(t, d); char[4] temp; buffer ~= temp[0 .. std.utf.encode(temp, d)]; i = s.length - t.length - 1; } catch(Err e) { if (mode == DecodeMode.STRICT) throw new DecodeException("Unescaped &"); buffer ~= '&'; } } else if (startsWith(s[i..$],"&amp;" )) { buffer ~= '&'; i += 4; } else if (startsWith(s[i..$],"&quot;")) { buffer ~= '"'; i += 5; } else if (startsWith(s[i..$],"&apos;")) { buffer ~= '\''; i += 5; } else if (startsWith(s[i..$],"&lt;" )) { buffer ~= '<'; i += 3; } else if (startsWith(s[i..$],"&gt;" )) { buffer ~= '>'; i += 3; } else { if (mode == DecodeMode.STRICT) throw new DecodeException("Unescaped &"); buffer ~= '&'; } } } return (buffer.length == 0) ? s : cast(string)buffer; } unittest { void assertNot(string s) { bool b = false; try { decode(s,DecodeMode.STRICT); } catch (DecodeException e) { b = true; } assert(b,s); } // Assert that things that should work, do auto s = "hello"; assert(decode(s, DecodeMode.STRICT) is s); assert(decode("a &gt; b", DecodeMode.STRICT) == "a > b"); assert(decode("a &lt; b", DecodeMode.STRICT) == "a < b"); assert(decode("don&apos;t", DecodeMode.STRICT) == "don't"); assert(decode("&quot;hi&quot;", DecodeMode.STRICT) == "\"hi\""); assert(decode("cat &amp; dog", DecodeMode.STRICT) == "cat & dog"); assert(decode("&#42;", DecodeMode.STRICT) == "*"); assert(decode("&#x2A;", DecodeMode.STRICT) == "*"); assert(decode("cat & dog", DecodeMode.LOOSE) == "cat & dog"); assert(decode("a &gt b", DecodeMode.LOOSE) == "a &gt b"); assert(decode("&#;", DecodeMode.LOOSE) == "&#;"); assert(decode("&#x;", DecodeMode.LOOSE) == "&#x;"); assert(decode("&#2G;", DecodeMode.LOOSE) == "&#2G;"); assert(decode("&#x2G;", DecodeMode.LOOSE) == "&#x2G;"); // Assert that things that shouldn't work, don't assertNot("cat & dog"); assertNot("a &gt b"); assertNot("&#;"); assertNot("&#x;"); assertNot("&#2G;"); assertNot("&#x2G;"); } public { template Check(string msg) { string old = s; void fail() { s = old; throw new Err(s,msg); } void fail(Err e) { s = old; throw new Err(s,msg,e); } void fail(string msg2) { fail(new Err(s,msg2)); } } void checkMisc(ref string s) // rule 27 { mixin Check!("Misc"); try { if (s.startsWith("<!--")) { checkComment(s); } else if (s.startsWith("<?")) { checkPI(s); } else { checkSpace(s); } } catch(Err e) { fail(e); } } void checkDocument(ref string s) // rule 1 { mixin Check!("Document"); try { checkProlog(s); checkElement(s); star!(checkMisc)(s); } catch(Err e) { fail(e); } } void checkChars(ref string s) // rule 2 { // TO DO - Fix std.utf stride and decode functions, then use those // instead mixin Check!("Chars"); dchar c; int n = -1; foreach(int i,dchar d; s) { if (!isChar(d)) { c = d; n = i; break; } } if (n != -1) { s = s[n..$]; fail(format("invalid character: U+%04X",c)); } } void checkSpace(ref string s) // rule 3 { mixin Check!("Whitespace"); munch(s,"\u0020\u0009\u000A\u000D"); if (s is old) fail(); } void checkName(ref string s, out string name) // rule 5 { mixin Check!("Name"); if (s.length == 0) fail(); int n; foreach(int i,dchar c;s) { if (c == '_' || c == ':' || isLetter(c)) continue; if (i == 0) fail(); if (c == '-' || c == '.' || isDigit(c) || isCombiningChar(c) || isExtender(c)) continue; n = i; break; } name = s[0..n]; s = s[n..$]; } void checkAttValue(ref string s) // rule 10 { mixin Check!("AttValue"); if (s.length == 0) fail(); char c = s[0]; if (c != '\u0022' && c != '\u0027') fail("attribute value requires quotes"); s = s[1..$]; for(;;) { munch(s,"^<&"~c); if (s.length == 0) fail("unterminated attribute value"); if (s[0] == '<') fail("< found in attribute value"); if (s[0] == c) break; try { checkReference(s); } catch(Err e) { fail(e); } } s = s[1..$]; } void checkCharData(ref string s) // rule 14 { mixin Check!("CharData"); while (s.length != 0) { if (s.startsWith("&")) break; if (s.startsWith("<")) break; if (s.startsWith("]]>")) fail("]]> found within char data"); s = s[1..$]; } } void checkComment(ref string s) // rule 15 { mixin Check!("Comment"); try { checkLiteral("<!--",s); } catch(Err e) { fail(e); } ptrdiff_t n = s.indexOf("--"); if (n == -1) fail("unterminated comment"); s = s[n..$]; try { checkLiteral("-->",s); } catch(Err e) { fail(e); } } void checkPI(ref string s) // rule 16 { mixin Check!("PI"); try { checkLiteral("<?",s); checkEnd("?>",s); } catch(Err e) { fail(e); } } void checkCDSect(ref string s) // rule 18 { mixin Check!("CDSect"); try { checkLiteral(cdata,s); checkEnd("]]>",s); } catch(Err e) { fail(e); } } void checkProlog(ref string s) // rule 22 { mixin Check!("Prolog"); try { /* The XML declaration is optional * http://www.w3.org/TR/2008/REC-xml-20081126/#NT-prolog */ opt!(checkXMLDecl)(s); star!(checkMisc)(s); opt!(seq!(checkDocTypeDecl,star!(checkMisc)))(s); } catch(Err e) { fail(e); } } void checkXMLDecl(ref string s) // rule 23 { mixin Check!("XMLDecl"); try { checkLiteral("<?xml",s); checkVersionInfo(s); opt!(checkEncodingDecl)(s); opt!(checkSDDecl)(s); opt!(checkSpace)(s); checkLiteral("?>",s); } catch(Err e) { fail(e); } } void checkVersionInfo(ref string s) // rule 24 { mixin Check!("VersionInfo"); try { checkSpace(s); checkLiteral("version",s); checkEq(s); quoted!(checkVersionNum)(s); } catch(Err e) { fail(e); } } void checkEq(ref string s) // rule 25 { mixin Check!("Eq"); try { opt!(checkSpace)(s); checkLiteral("=",s); opt!(checkSpace)(s); } catch(Err e) { fail(e); } } void checkVersionNum(ref string s) // rule 26 { mixin Check!("VersionNum"); munch(s,"a-zA-Z0-9_.:-"); if (s is old) fail(); } void checkDocTypeDecl(ref string s) // rule 28 { mixin Check!("DocTypeDecl"); try { checkLiteral("<!DOCTYPE",s); // // TO DO -- ensure DOCTYPE is well formed // (But not yet. That's one of our "future directions") // checkEnd(">",s); } catch(Err e) { fail(e); } } void checkSDDecl(ref string s) // rule 32 { mixin Check!("SDDecl"); try { checkSpace(s); checkLiteral("standalone",s); checkEq(s); } catch(Err e) { fail(e); } int n = 0; if (s.startsWith("'yes'") || s.startsWith("\"yes\"")) n = 5; else if (s.startsWith("'no'" ) || s.startsWith("\"no\"" )) n = 4; else fail("standalone attribute value must be 'yes', \"yes\","~ " 'no' or \"no\""); s = s[n..$]; } void checkElement(ref string s) // rule 39 { mixin Check!("Element"); string sname,ename,t; try { checkTag(s,t,sname); } catch(Err e) { fail(e); } if (t == "STag") { try { checkContent(s); t = s; checkETag(s,ename); } catch(Err e) { fail(e); } if (sname != ename) { s = t; fail("end tag name \"" ~ ename ~ "\" differs from start tag name \""~sname~"\""); } } } // rules 40 and 44 void checkTag(ref string s, out string type, out string name) { mixin Check!("Tag"); try { type = "STag"; checkLiteral("<",s); checkName(s,name); star!(seq!(checkSpace,checkAttribute))(s); opt!(checkSpace)(s); if (s.length != 0 && s[0] == '/') { s = s[1..$]; type = "ETag"; } checkLiteral(">",s); } catch(Err e) { fail(e); } } void checkAttribute(ref string s) // rule 41 { mixin Check!("Attribute"); try { string name; checkName(s,name); checkEq(s); checkAttValue(s); } catch(Err e) { fail(e); } } void checkETag(ref string s, out string name) // rule 42 { mixin Check!("ETag"); try { checkLiteral("</",s); checkName(s,name); opt!(checkSpace)(s); checkLiteral(">",s); } catch(Err e) { fail(e); } } void checkContent(ref string s) // rule 43 { mixin Check!("Content"); try { while (s.length != 0) { old = s; if (s.startsWith("&")) { checkReference(s); } else if (s.startsWith("<!--")) { checkComment(s); } else if (s.startsWith("<?")) { checkPI(s); } else if (s.startsWith(cdata)) { checkCDSect(s); } else if (s.startsWith("</")) { break; } else if (s.startsWith("<")) { checkElement(s); } else { checkCharData(s); } } } catch(Err e) { fail(e); } } void checkCharRef(ref string s, out dchar c) // rule 66 { mixin Check!("CharRef"); c = 0; try { checkLiteral("&#",s); } catch(Err e) { fail(e); } int radix = 10; if (s.length != 0 && s[0] == 'x') { s = s[1..$]; radix = 16; } if (s.length == 0) fail("unterminated character reference"); if (s[0] == ';') fail("character reference must have at least one digit"); while (s.length != 0) { char d = s[0]; int n = 0; switch(d) { case 'F','f': ++n; goto case; case 'E','e': ++n; goto case; case 'D','d': ++n; goto case; case 'C','c': ++n; goto case; case 'B','b': ++n; goto case; case 'A','a': ++n; goto case; case '9': ++n; goto case; case '8': ++n; goto case; case '7': ++n; goto case; case '6': ++n; goto case; case '5': ++n; goto case; case '4': ++n; goto case; case '3': ++n; goto case; case '2': ++n; goto case; case '1': ++n; goto case; case '0': break; default: n = 100; break; } if (n >= radix) break; c *= radix; c += n; s = s[1..$]; } if (!isChar(c)) fail(format("U+%04X is not a legal character",c)); if (s.length == 0 || s[0] != ';') fail("expected ;"); else s = s[1..$]; } void checkReference(ref string s) // rule 67 { mixin Check!("Reference"); try { dchar c; if (s.startsWith("&#")) checkCharRef(s,c); else checkEntityRef(s); } catch(Err e) { fail(e); } } void checkEntityRef(ref string s) // rule 68 { mixin Check!("EntityRef"); try { string name; checkLiteral("&",s); checkName(s,name); checkLiteral(";",s); } catch(Err e) { fail(e); } } void checkEncName(ref string s) // rule 81 { mixin Check!("EncName"); munch(s,"a-zA-Z"); if (s is old) fail(); munch(s,"a-zA-Z0-9_.-"); } void checkEncodingDecl(ref string s) // rule 80 { mixin Check!("EncodingDecl"); try { checkSpace(s); checkLiteral("encoding",s); checkEq(s); quoted!(checkEncName)(s); } catch(Err e) { fail(e); } } // Helper functions void checkLiteral(string literal,ref string s) { mixin Check!("Literal"); if (!s.startsWith(literal)) fail("Expected literal \""~literal~"\""); s = s[literal.length..$]; } void checkEnd(string end,ref string s) { // Deliberately no mixin Check here. auto n = s.indexOf(end); if (n == -1) throw new Err(s,"Unable to find terminating \""~end~"\""); s = s[n..$]; checkLiteral(end,s); } // Metafunctions -- none of these use mixin Check void opt(alias f)(ref string s) { try { f(s); } catch(Err e) {} } void plus(alias f)(ref string s) { f(s); star!(f)(s); } void star(alias f)(ref string s) { while (s.length != 0) { try { f(s); } catch(Err e) { return; } } } void quoted(alias f)(ref string s) { if (s.startsWith("'")) { checkLiteral("'",s); f(s); checkLiteral("'",s); } else { checkLiteral("\"",s); f(s); checkLiteral("\"",s); } } void seq(alias f,alias g)(ref string s) { f(s); g(s); } } /** * Check an entire XML document for well-formedness * * Params: * s = the document to be checked, passed as a string * * Throws: CheckException if the document is not well formed * * CheckException's toString() method will yield the complete hierarchy of * parse failure (the XML equivalent of a stack trace), giving the line and * column number of every failure at every level. */ void check(string s) { try { checkChars(s); checkDocument(s); if (s.length != 0) throw new Err(s,"Junk found after document"); } catch(Err e) { e.complete(s); throw e; } } class CheckException : XMLException { CheckException err; /// Parent in hierarchy private string tail; /** * Name of production rule which failed to parse, * or specific error message */ string msg; size_t line = 0; /// Line number at which parse failure occurred size_t column = 0; /// Column number at which parse failure occurred public this(string tail,string msg,Err err=null) { super(null); this.tail = tail; this.msg = msg; this.err = err; } private void complete(string entire) { string head = entire[0..$-tail.length]; ptrdiff_t n = head.lastIndexOf('\n') + 1; line = head.count("\n") + 1; dstring t; transcode(head[n..$],t); column = t.length + 1; if (err !is null) err.complete(entire); } override string toString() const { string s; if (line != 0) s = format("Line %d, column %d: ",line,column); s ~= msg; s ~= '\n'; if (err !is null) s = err.toString() ~ s; return s; } } public alias Err = CheckException; // Private helper functions public { T toType(T)(Object o) { T t = cast(T)(o); if (t is null) { throw new InvalidTypeException("Attempt to compare a " ~ T.stringof ~ " with an instance of another type"); } return t; } string chop(ref string s, size_t n) { if (n == -1) n = s.length; string t = s[0..n]; s = s[n..$]; return t; } bool optc(ref string s, char c) { bool b = s.length != 0 && s[0] == c; if (b) s = s[1..$]; return b; } void reqc(ref string s, char c) { if (s.length == 0 || s[0] != c) throw new TagException(""); s = s[1..$]; } size_t hash(string s,size_t h=0) @trusted nothrow { return typeid(s).getHash(&s) + h; } // Definitions from the XML specification immutable CharTable=[0x9,0x9,0xA,0xA,0xD,0xD,0x20,0xD7FF,0xE000,0xFFFD, 0x10000,0x10FFFF]; immutable BaseCharTable=[0x0041,0x005A,0x0061,0x007A,0x00C0,0x00D6,0x00D8, 0x00F6,0x00F8,0x00FF,0x0100,0x0131,0x0134,0x013E,0x0141,0x0148,0x014A, 0x017E,0x0180,0x01C3,0x01CD,0x01F0,0x01F4,0x01F5,0x01FA,0x0217,0x0250, 0x02A8,0x02BB,0x02C1,0x0386,0x0386,0x0388,0x038A,0x038C,0x038C,0x038E, 0x03A1,0x03A3,0x03CE,0x03D0,0x03D6,0x03DA,0x03DA,0x03DC,0x03DC,0x03DE, 0x03DE,0x03E0,0x03E0,0x03E2,0x03F3,0x0401,0x040C,0x040E,0x044F,0x0451, 0x045C,0x045E,0x0481,0x0490,0x04C4,0x04C7,0x04C8,0x04CB,0x04CC,0x04D0, 0x04EB,0x04EE,0x04F5,0x04F8,0x04F9,0x0531,0x0556,0x0559,0x0559,0x0561, 0x0586,0x05D0,0x05EA,0x05F0,0x05F2,0x0621,0x063A,0x0641,0x064A,0x0671, 0x06B7,0x06BA,0x06BE,0x06C0,0x06CE,0x06D0,0x06D3,0x06D5,0x06D5,0x06E5, 0x06E6,0x0905,0x0939,0x093D,0x093D,0x0958,0x0961,0x0985,0x098C,0x098F, 0x0990,0x0993,0x09A8,0x09AA,0x09B0,0x09B2,0x09B2,0x09B6,0x09B9,0x09DC, 0x09DD,0x09DF,0x09E1,0x09F0,0x09F1,0x0A05,0x0A0A,0x0A0F,0x0A10,0x0A13, 0x0A28,0x0A2A,0x0A30,0x0A32,0x0A33,0x0A35,0x0A36,0x0A38,0x0A39,0x0A59, 0x0A5C,0x0A5E,0x0A5E,0x0A72,0x0A74,0x0A85,0x0A8B,0x0A8D,0x0A8D,0x0A8F, 0x0A91,0x0A93,0x0AA8,0x0AAA,0x0AB0,0x0AB2,0x0AB3,0x0AB5,0x0AB9,0x0ABD, 0x0ABD,0x0AE0,0x0AE0,0x0B05,0x0B0C,0x0B0F,0x0B10,0x0B13,0x0B28,0x0B2A, 0x0B30,0x0B32,0x0B33,0x0B36,0x0B39,0x0B3D,0x0B3D,0x0B5C,0x0B5D,0x0B5F, 0x0B61,0x0B85,0x0B8A,0x0B8E,0x0B90,0x0B92,0x0B95,0x0B99,0x0B9A,0x0B9C, 0x0B9C,0x0B9E,0x0B9F,0x0BA3,0x0BA4,0x0BA8,0x0BAA,0x0BAE,0x0BB5,0x0BB7, 0x0BB9,0x0C05,0x0C0C,0x0C0E,0x0C10,0x0C12,0x0C28,0x0C2A,0x0C33,0x0C35, 0x0C39,0x0C60,0x0C61,0x0C85,0x0C8C,0x0C8E,0x0C90,0x0C92,0x0CA8,0x0CAA, 0x0CB3,0x0CB5,0x0CB9,0x0CDE,0x0CDE,0x0CE0,0x0CE1,0x0D05,0x0D0C,0x0D0E, 0x0D10,0x0D12,0x0D28,0x0D2A,0x0D39,0x0D60,0x0D61,0x0E01,0x0E2E,0x0E30, 0x0E30,0x0E32,0x0E33,0x0E40,0x0E45,0x0E81,0x0E82,0x0E84,0x0E84,0x0E87, 0x0E88,0x0E8A,0x0E8A,0x0E8D,0x0E8D,0x0E94,0x0E97,0x0E99,0x0E9F,0x0EA1, 0x0EA3,0x0EA5,0x0EA5,0x0EA7,0x0EA7,0x0EAA,0x0EAB,0x0EAD,0x0EAE,0x0EB0, 0x0EB0,0x0EB2,0x0EB3,0x0EBD,0x0EBD,0x0EC0,0x0EC4,0x0F40,0x0F47,0x0F49, 0x0F69,0x10A0,0x10C5,0x10D0,0x10F6,0x1100,0x1100,0x1102,0x1103,0x1105, 0x1107,0x1109,0x1109,0x110B,0x110C,0x110E,0x1112,0x113C,0x113C,0x113E, 0x113E,0x1140,0x1140,0x114C,0x114C,0x114E,0x114E,0x1150,0x1150,0x1154, 0x1155,0x1159,0x1159,0x115F,0x1161,0x1163,0x1163,0x1165,0x1165,0x1167, 0x1167,0x1169,0x1169,0x116D,0x116E,0x1172,0x1173,0x1175,0x1175,0x119E, 0x119E,0x11A8,0x11A8,0x11AB,0x11AB,0x11AE,0x11AF,0x11B7,0x11B8,0x11BA, 0x11BA,0x11BC,0x11C2,0x11EB,0x11EB,0x11F0,0x11F0,0x11F9,0x11F9,0x1E00, 0x1E9B,0x1EA0,0x1EF9,0x1F00,0x1F15,0x1F18,0x1F1D,0x1F20,0x1F45,0x1F48, 0x1F4D,0x1F50,0x1F57,0x1F59,0x1F59,0x1F5B,0x1F5B,0x1F5D,0x1F5D,0x1F5F, 0x1F7D,0x1F80,0x1FB4,0x1FB6,0x1FBC,0x1FBE,0x1FBE,0x1FC2,0x1FC4,0x1FC6, 0x1FCC,0x1FD0,0x1FD3,0x1FD6,0x1FDB,0x1FE0,0x1FEC,0x1FF2,0x1FF4,0x1FF6, 0x1FFC,0x2126,0x2126,0x212A,0x212B,0x212E,0x212E,0x2180,0x2182,0x3041, 0x3094,0x30A1,0x30FA,0x3105,0x312C,0xAC00,0xD7A3]; immutable IdeographicTable=[0x3007,0x3007,0x3021,0x3029,0x4E00,0x9FA5]; immutable CombiningCharTable=[0x0300,0x0345,0x0360,0x0361,0x0483,0x0486, 0x0591,0x05A1,0x05A3,0x05B9,0x05BB,0x05BD,0x05BF,0x05BF,0x05C1,0x05C2, 0x05C4,0x05C4,0x064B,0x0652,0x0670,0x0670,0x06D6,0x06DC,0x06DD,0x06DF, 0x06E0,0x06E4,0x06E7,0x06E8,0x06EA,0x06ED,0x0901,0x0903,0x093C,0x093C, 0x093E,0x094C,0x094D,0x094D,0x0951,0x0954,0x0962,0x0963,0x0981,0x0983, 0x09BC,0x09BC,0x09BE,0x09BE,0x09BF,0x09BF,0x09C0,0x09C4,0x09C7,0x09C8, 0x09CB,0x09CD,0x09D7,0x09D7,0x09E2,0x09E3,0x0A02,0x0A02,0x0A3C,0x0A3C, 0x0A3E,0x0A3E,0x0A3F,0x0A3F,0x0A40,0x0A42,0x0A47,0x0A48,0x0A4B,0x0A4D, 0x0A70,0x0A71,0x0A81,0x0A83,0x0ABC,0x0ABC,0x0ABE,0x0AC5,0x0AC7,0x0AC9, 0x0ACB,0x0ACD,0x0B01,0x0B03,0x0B3C,0x0B3C,0x0B3E,0x0B43,0x0B47,0x0B48, 0x0B4B,0x0B4D,0x0B56,0x0B57,0x0B82,0x0B83,0x0BBE,0x0BC2,0x0BC6,0x0BC8, 0x0BCA,0x0BCD,0x0BD7,0x0BD7,0x0C01,0x0C03,0x0C3E,0x0C44,0x0C46,0x0C48, 0x0C4A,0x0C4D,0x0C55,0x0C56,0x0C82,0x0C83,0x0CBE,0x0CC4,0x0CC6,0x0CC8, 0x0CCA,0x0CCD,0x0CD5,0x0CD6,0x0D02,0x0D03,0x0D3E,0x0D43,0x0D46,0x0D48, 0x0D4A,0x0D4D,0x0D57,0x0D57,0x0E31,0x0E31,0x0E34,0x0E3A,0x0E47,0x0E4E, 0x0EB1,0x0EB1,0x0EB4,0x0EB9,0x0EBB,0x0EBC,0x0EC8,0x0ECD,0x0F18,0x0F19, 0x0F35,0x0F35,0x0F37,0x0F37,0x0F39,0x0F39,0x0F3E,0x0F3E,0x0F3F,0x0F3F, 0x0F71,0x0F84,0x0F86,0x0F8B,0x0F90,0x0F95,0x0F97,0x0F97,0x0F99,0x0FAD, 0x0FB1,0x0FB7,0x0FB9,0x0FB9,0x20D0,0x20DC,0x20E1,0x20E1,0x302A,0x302F, 0x3099,0x3099,0x309A,0x309A]; immutable DigitTable=[0x0030,0x0039,0x0660,0x0669,0x06F0,0x06F9,0x0966, 0x096F,0x09E6,0x09EF,0x0A66,0x0A6F,0x0AE6,0x0AEF,0x0B66,0x0B6F,0x0BE7, 0x0BEF,0x0C66,0x0C6F,0x0CE6,0x0CEF,0x0D66,0x0D6F,0x0E50,0x0E59,0x0ED0, 0x0ED9,0x0F20,0x0F29]; immutable ExtenderTable=[0x00B7,0x00B7,0x02D0,0x02D0,0x02D1,0x02D1,0x0387, 0x0387,0x0640,0x0640,0x0E46,0x0E46,0x0EC6,0x0EC6,0x3005,0x3005,0x3031, 0x3035,0x309D,0x309E,0x30FC,0x30FE]; bool lookup(const(int)[] table, int c) { while (table.length != 0) { auto m = (table.length >> 1) & ~1; if (c < table[m]) { table = table[0..m]; } else if (c > table[m+1]) { table = table[m+2..$]; } else return true; } return false; } string startOf(string s) { string r; foreach(char c;s) { r ~= (c < 0x20 || c > 0x7F) ? '.' : c; if (r.length >= 40) { r ~= "___"; break; } } return r; } void exit(string s=null) { throw new XMLException(s); } }
D
/******************************************************************************* * Copyright (c) 2006, 2007 IBM Corporation and others. * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * which accompanies this distribution, and is available at * http://www.eclipse.org/legal/epl-v10.html * * Contributors: * IBM Corporation - initial API and implementation * Port to the D programming language: * Frank Benoit <benoit@tionex.de> *******************************************************************************/ module dwtx.jface.text.revisions.IRevisionListener; import dwtx.jface.text.revisions.IRevisionRulerColumnExtension; // packageimport import dwtx.jface.text.revisions.RevisionRange; // packageimport import dwtx.jface.text.revisions.IRevisionRulerColumn; // packageimport import dwtx.jface.text.revisions.RevisionEvent; // packageimport import dwtx.jface.text.revisions.RevisionInformation; // packageimport import dwtx.jface.text.revisions.Revision; // packageimport import dwt.dwthelper.utils; /** * A listener which is notified when revision information changes. * * @see RevisionInformation * @see IRevisionRulerColumnExtension * @since 3.3 */ public interface IRevisionListener { /** * Notifies the receiver that the revision information has been updated. This typically occurs * when revision information is being displayed in an editor and the annotated document is * modified. * * @param e the revision event describing the change */ void revisionInformationChanged(RevisionEvent e); }
D
module UnrealScript.Engine.NavMeshGoalFilter_OutOfViewFrom; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.Engine.NavMeshGoal_Filter; import UnrealScript.Engine.NavMeshGoal_GenericFilterContainer; extern(C++) interface NavMeshGoalFilter_OutOfViewFrom : NavMeshGoal_Filter { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class Engine.NavMeshGoalFilter_OutOfViewFrom")); } private static __gshared NavMeshGoalFilter_OutOfViewFrom mDefaultProperties; @property final static NavMeshGoalFilter_OutOfViewFrom DefaultProperties() { mixin(MGDPC("NavMeshGoalFilter_OutOfViewFrom", "NavMeshGoalFilter_OutOfViewFrom Engine.Default__NavMeshGoalFilter_OutOfViewFrom")); } static struct Functions { private static __gshared ScriptFunction mMustBeHiddenFromThisPoint; public @property static final ScriptFunction MustBeHiddenFromThisPoint() { mixin(MGF("mMustBeHiddenFromThisPoint", "Function Engine.NavMeshGoalFilter_OutOfViewFrom.MustBeHiddenFromThisPoint")); } } @property final auto ref { Vector OutOfViewLocation() { mixin(MGPC("Vector", 76)); } Pointer GoalPoly() { mixin(MGPC("Pointer", 72)); } } final static bool MustBeHiddenFromThisPoint(NavMeshGoal_GenericFilterContainer FilterContainer, Vector InOutOfViewLocation) { ubyte params[20]; params[] = 0; *cast(NavMeshGoal_GenericFilterContainer*)params.ptr = FilterContainer; *cast(Vector*)&params[4] = InOutOfViewLocation; StaticClass.ProcessEvent(Functions.MustBeHiddenFromThisPoint, params.ptr, cast(void*)0); return *cast(bool*)&params[16]; } }
D
// Written in the D programming language. /** * This module handles command line parsing and holds all parsed values. * * Copyright: (C) 2019 by Kai Nacke * * License: See LICENSE file * * Authors: Kai Nacke */ module cmdline; import std.getopt; /// Name of output file string output; /// Debugging requested? bool debugging; /// Treat warnings as errors? bool warningsAreErrors; /** * Parses the commandline. * * Params: * args = command line argumens * * Returns: * true if all options were consumed. */ bool parseCmdLine(ref string[] args) { auto result = getopt(args, std.getopt.config.caseSensitive, "debug|d", "Enable debug output", &debugging, "o", "The name of output file", &output, "w", "Treat warnings are errors", &warningsAreErrors, ); if (result.helpWanted || args.length != 2) { defaultGetoptPrinter("LLtool - a LL(1) parser generator for D\nUsage: LLtool [options] grammar\n", result.options); return false; } return true; }
D
unittest { import gravity; import std.stdio; string source = "func main() {var a = 10; var b=20; return a + b}"; import gravity.c.vm; import gravity.c.delegate_; import gravity.c.value; extern (C) void report_error(gravity_vm* vm, error_type_t error_type, const char* description, error_desc_t error_desc, void* xdata) { printf("%s\n", description); //exit(0); } int main() { // configure a VM delegate GravityDelegate del = new GravityDelegate(); del.errorCallback = &report_error; // compile Gravity source code into bytecode GravityCompiler compiler = new GravityCompiler(del); GravityClosure closure = compiler.run(source, 0, true, true); // sanity check on compiled source if (!closure) { // an error occurred while compiling source code and it has already been reported by the report_error callback compiler.free(); return 1; } // create a new VM GravityVM vm = new GravityVM(del); // transfer objects owned by the compiler to the VM (so they can be part of the GC) compiler.transfer(vm); // compiler can now be freed compiler.free(); // run main closure inside Gravity bytecode if (vm.runMain(closure)) { // print result (INT) 30 in this simple example GravityValue result = vm.result; gravity_value_dump(vm.vm, result.value, null, 0); } // free VM memory and core libraries vm.free(); Core.free(); return 0; } } unittest { import gravity; import gravity.c.vm; import gravity.c.delegate_; import std.stdio; import std.conv; string sourceCode = " func sum (a, b) { return a + b } func mul (a, b) { return a * b } "; extern (C) void report_error(gravity_vm* vm, error_type_t error_type, const char* message, error_desc_t error_desc, void* xdata) { printf("%s\n", message); //exit(0); } int main() { // setup a delegate struct GravityDelegate del = new GravityDelegate(); del.errorCallback = &report_error; // allocate a new compiler GravityCompiler compiler = new GravityCompiler(del); // compile Gravity source code into bytecode GravityClosure closure = compiler.run(sourceCode, 0, true, true); // allocate a new Gravity VM GravityVM vm = new GravityVM(del); // transfer memory from the compiler (front-end) to the VM (back-end) compiler.transfer(vm); // once the memory has been transferred, you can get rid of the front-end compiler.free(); // load closure into VM vm.loadClosure(closure); // lookup a reference to the mul closure into the Gravity VM GravityValue mul = vm.getValue("mul"); if (!mul.isaClosure()) { printf("Unable to find mul function into Gravity VM.\n"); return -1; } // convert function to closure GravityClosure mul_closure = mul.asClosure(); // prepare parameters GravityValue p1 = new GravityValue(30); GravityValue p2 = new GravityValue(40); GravityValue[] params = [p1, p2]; // execute mul closure if (vm.runClosure(mul_closure, GravityValue.fromNull, params)) { // retrieve returned result GravityValue result = vm.result; // dump result to a C string and print it to stdout // string buf = vm.valueDump(result); writef("RESULT: %s\n", result.asInt().to!string); } // free VM and core libraries (implicitly allocated by the VM) vm.free; Core.free(); return 0; } }
D
/******************************************************************************* * Copyright (c) 2000, 2007 IBM Corporation and others. * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * which accompanies this distribution, and is available at * http://www.eclipse.org/legal/epl-v10.html * * Contributors: * IBM Corporation - initial API and implementation * Port to the D programming language: * Frank Benoit <benoit@tionex.de> *******************************************************************************/ module dwt.internal.image.LEDataInputStream; import dwt.dwthelper.InputStream; import dwt.dwthelper.System; import tango.core.Exception; final class LEDataInputStream : InputStream { alias InputStream.read read; InputStream host; int position; /** * The byte array containing the bytes to read. */ protected byte[] buf; /** * The current position within the byte array <code>buf</code>. A value * equal to buf.length indicates no bytes available. A value of * 0 indicates the buffer is full. */ protected int pos; public this(InputStream input) { this(input, 512); } public this(InputStream input, int bufferSize) { host = input; if (bufferSize > 0) { buf = new byte[bufferSize]; pos = bufferSize; } else throw new IllegalArgumentException("bufferSize must be greater zero" ); } public void close() { buf = null; if (host !is null) { host.close(); host = null; } } /** * Answer how many bytes were read. */ public int getPosition() { return position; } /** * Answers how many bytes are available for reading without blocking */ public override int available() { if (buf is null) throw new IOException("buf is null"); return (buf.length - pos) + host.available(); } /** * Answer the next byte of the input stream. */ public override int read() { if (buf is null) throw new IOException("buf is null"); if (pos < buf.length) { position++; return (buf[pos++] & 0xFF); } int c = host.read(); if (c !is -1 ) position++; return c; } /** * Don't imitate the JDK behaviour of reading a random number * of bytes when you can actually read them all. */ public override int read(byte b[], int off, int len) { int read = 0, count; while (read !is len && (count = readData(b, off, len - read)) !is -1) { off += count; read += count; } position += read; if (read is 0 && read !is len) return -1; return read; } /** * Reads at most <code>length</code> bytes from this LEDataInputStream and * stores them in byte array <code>buffer</code> starting at <code>offset</code>. * <p> * Answer the number of bytes actually read or -1 if no bytes were read and * end of stream was encountered. This implementation reads bytes from * the pushback buffer first, then the target stream if more bytes are required * to satisfy <code>count</code>. * </p> * @param buffer the byte array in which to store the read bytes. * @param offset the offset in <code>buffer</code> to store the read bytes. * @param length the maximum number of bytes to store in <code>buffer</code>. * * @return int the number of bytes actually read or -1 if end of stream. * * @exception java.io.IOException if an IOException occurs. */ private int readData(byte[] buffer, int offset, int len) { if (buf is null) throw new IOException("buf is null"); if (offset < 0 || offset > buffer.length || len < 0 || (len > buffer.length - offset)) { throw new ArrayBoundsException(__FILE__,__LINE__); } int cacheCopied = 0; int newOffset = offset; // Are there pushback bytes available? int available = buf.length - pos; if (available > 0) { cacheCopied = (available >= len) ? len : available; System.arraycopy(buf, pos, buffer, newOffset, cacheCopied); newOffset += cacheCopied; pos += cacheCopied; } // Have we copied enough? if (cacheCopied is len) return len; int inCopied = host.read( buffer, newOffset, len - cacheCopied ); if( inCopied is -1 ) inCopied = -1; if (inCopied > 0 ) return inCopied + cacheCopied; if (cacheCopied is 0) return inCopied; return cacheCopied; } /** * Answer an integer comprised of the next * four bytes of the input stream. */ public int readInt() { byte[4] buf = void; read(buf); return ((buf[3] & 0xFF) << 24) | ((buf[2] & 0xFF) << 16) | ((buf[1] & 0xFF) << 8) | (buf[0] & 0xFF); } /** * Answer a short comprised of the next * two bytes of the input stream. */ public short readShort() { byte[2] buf = void; read(buf); return cast(short)(((buf[1] & 0xFF) << 8) | (buf[0] & 0xFF)); } /** * Push back the entire content of the given buffer <code>b</code>. * <p> * The bytes are pushed so that they would be read back b[0], b[1], etc. * If the push back buffer cannot handle the bytes copied from <code>b</code>, * an IOException will be thrown and no byte will be pushed back. * </p> * * @param b the byte array containing bytes to push back into the stream * * @exception java.io.IOException if the pushback buffer is too small */ public void unread(byte[] b) { int l = b.length; if (l > pos) throw new IOException("cannot unread"); position -= l; pos -= l; System.arraycopy(b, 0, buf, pos, l); } }
D
void main() { } // =================================== import std.stdio; import std.string; import std.functional; import std.algorithm; import std.range; import std.traits; import std.math; import std.container; import std.bigint; import std.numeric; import std.conv; import std.typecons; import std.uni; import std.ascii; import std.bitmanip; import core.bitop; T readAs(T)() if (isBasicType!T) { return readln.chomp.to!T; } T readAs(T)() if (isArray!T) { return readln.split.to!T; } T[][] readMatrix(T)(uint height, uint width) if (!isSomeChar!T) { auto res = new T[][](height, width); foreach(i; 0..height) { res[i] = readAs!(T[]); } return res; } T[][] readMatrix(T)(uint height, uint width) if (isSomeChar!T) { auto res = new T[][](height, width); foreach(i; 0..height) { auto s = rs; foreach(j; 0..width) res[i][j] = s[j].to!T; } return res; } int ri() { return readAs!int; } double rd() { return readAs!double; } string rs() { return readln.chomp; }
D
/Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/Build/Intermediates.noindex/CryptoSwift.build/Debug/CryptoSwift.build/Objects-normal/x86_64/ECB.o : /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ChaCha20.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA3.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEADChaCha20Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/MD5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt128.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/ECB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OCB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CBCMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/PCBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEAD.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HKDF.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/GCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CTR.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockMode.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Updatable.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/DigestType.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ISO78164Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/NoPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ZeroPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Blowfish.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Checksum.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt32+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt64+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt16+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt8+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Data+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/String+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Collection+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Int+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Array+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/String+FoundationExtension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/ChaCha20+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/HMAC+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/AES+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Blowfish+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Utils+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Rabbit+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Array+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BatchedCollection.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CompactMap.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockCipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CipherModeWorker.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Authenticator.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Generics.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SecureBytes.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Utils.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockModeOptions.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Operators.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Bit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Rabbit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Scrypt.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Digest.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/Build/Intermediates.noindex/CryptoSwift.build/Debug/CryptoSwift.build/Objects-normal/x86_64/ECB~partial.swiftmodule : /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ChaCha20.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA3.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEADChaCha20Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/MD5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt128.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/ECB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OCB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CBCMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/PCBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEAD.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HKDF.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/GCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CTR.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockMode.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Updatable.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/DigestType.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ISO78164Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/NoPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ZeroPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Blowfish.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Checksum.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt32+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt64+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt16+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt8+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Data+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/String+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Collection+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Int+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Array+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/String+FoundationExtension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/ChaCha20+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/HMAC+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/AES+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Blowfish+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Utils+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Rabbit+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Array+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BatchedCollection.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CompactMap.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockCipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CipherModeWorker.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Authenticator.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Generics.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SecureBytes.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Utils.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockModeOptions.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Operators.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Bit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Rabbit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Scrypt.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Digest.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/Build/Intermediates.noindex/CryptoSwift.build/Debug/CryptoSwift.build/Objects-normal/x86_64/ECB~partial.swiftdoc : /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ChaCha20.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA3.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEADChaCha20Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/MD5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt128.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/ECB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OCB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CBCMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/PCBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEAD.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HKDF.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/GCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CTR.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockMode.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Updatable.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/DigestType.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ISO78164Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/NoPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ZeroPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Blowfish.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Checksum.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt32+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt64+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt16+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt8+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Data+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/String+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Collection+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Int+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Array+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/String+FoundationExtension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/ChaCha20+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/HMAC+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/AES+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Blowfish+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Utils+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Rabbit+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Array+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BatchedCollection.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CompactMap.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockCipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CipherModeWorker.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Authenticator.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Generics.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SecureBytes.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Utils.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockModeOptions.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Operators.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Bit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Rabbit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Scrypt.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Digest.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/Build/Intermediates.noindex/CryptoSwift.build/Debug/CryptoSwift.build/Objects-normal/x86_64/ECB~partial.swiftsourceinfo : /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ChaCha20.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF1.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PBKDF2.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SHA3.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEADChaCha20Poly1305.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/MD5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS5.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt128.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/ECB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OCB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/OFB.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CBCMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HMAC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/PCBC.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AEAD/AEAD.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/HKDF.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/GCM.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CTR.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockMode.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Updatable.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/DigestType.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ISO78164Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/PKCS/PKCS7Padding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/NoPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/ZeroPadding.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Blowfish.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Checksum.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt32+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt64+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt16+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/UInt8+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Data+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/String+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Collection+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Int+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Array+Extension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/String+FoundationExtension.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/ChaCha20+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/HMAC+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/AES+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Blowfish+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Utils+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Rabbit+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Foundation/Array+Foundation.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BatchedCollection.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/CompactMap.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockCipher.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/CipherModeWorker.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Authenticator.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamDecryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/StreamEncryptor.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Generics.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/SecureBytes.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Utils.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/BlockMode/BlockModeOptions.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Operators.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/AES.Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Cryptors.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Bit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Rabbit.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Scrypt.swift /Users/darthjuda/Documents/snippets/swiftPackage/ovhAPI/DerivedData/ovhAPI/SourcePackages/checkouts/CryptoSwift/Sources/CryptoSwift/Digest.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/dyld.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/mach-o/compact_unwind_encoding.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX11.1.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
instance Mod_1878_GRD_Gardist_MT (Npc_Default) { //-------- primary data -------- name = NAME_Gardist; npctype = npctype_mt_gardistATBANDIT; guild = GIL_out; level = 10; voice = 13; id = 1878; //-------- abilities -------- attribute[ATR_STRENGTH] = 35; attribute[ATR_DEXTERITY] = 35; attribute[ATR_MANA_MAX] = 0; attribute[ATR_MANA] = 0; attribute[ATR_HITPOINTS_MAX]= 160; attribute[ATR_HITPOINTS] = 160; B_SetAttributesToChapter (self, 2); EquipItem (self, ItMw_1H_quantarie_Schwert_01); //-------- visuals -------- // animations Mdl_SetVisual (self,"HUMANS.MDS"); Mdl_ApplyOverlayMds (self,"Humans_Militia.mds"); // body mesh ,bdytex,skin,head mesh ,headtex,teethtex,ruestung Mdl_SetVisualBody (self,"hum_body_Naked0", 1, 1,"Hum_Head_Fighter", 16, 1, GRD_ARMOR_M); Mdl_SetModelFatness(self,0); fight_tactic = FAI_HUMAN_STRONG; //-------- Talente -------- B_SetFightSkills (self, 55); //-------- inventory -------- //-------------Daily Routine------------- daily_routine = Rtn_start_1878; }; FUNC VOID Rtn_start_1878 () { TA_Stand_Guarding (08,00,20,00,"LOCATION_11_07"); TA_Stand_Guarding (20,00,08,00,"LOCATION_11_07"); }; FUNC VOID Rtn_Wache_1878 () { TA_Stand_Guarding (08,00,20,00,"LOCATION_11_15"); TA_Stand_Guarding (20,00,08,00,"LOCATION_11_15"); }; FUNC VOID Rtn_Feuerregen_1878 () { TA_Stand_Guarding (06,00,21,00,"LOCATION_11_08"); TA_Stand_Guarding (21,00,06,00,"LOCATION_11_08"); };
D
/Users/eligitelman/Documents/GitHub/crushd/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/Objects-normal/x86_64/SwiftyJSON.o : /Users/eligitelman/Documents/GitHub/crushd/Pods/SwiftyJSON/Source/SwiftyJSON.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/eligitelman/Documents/GitHub/crushd/Pods/Target\ Support\ Files/SwiftyJSON/SwiftyJSON-umbrella.h /Users/eligitelman/Documents/GitHub/crushd/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/unextended-module.modulemap /Users/eligitelman/Documents/GitHub/crushd/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/Objects-normal/x86_64/SwiftyJSON~partial.swiftmodule : /Users/eligitelman/Documents/GitHub/crushd/Pods/SwiftyJSON/Source/SwiftyJSON.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/eligitelman/Documents/GitHub/crushd/Pods/Target\ Support\ Files/SwiftyJSON/SwiftyJSON-umbrella.h /Users/eligitelman/Documents/GitHub/crushd/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/unextended-module.modulemap /Users/eligitelman/Documents/GitHub/crushd/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/Objects-normal/x86_64/SwiftyJSON~partial.swiftdoc : /Users/eligitelman/Documents/GitHub/crushd/Pods/SwiftyJSON/Source/SwiftyJSON.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/eligitelman/Documents/GitHub/crushd/Pods/Target\ Support\ Files/SwiftyJSON/SwiftyJSON-umbrella.h /Users/eligitelman/Documents/GitHub/crushd/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/SwiftyJSON.build/unextended-module.modulemap
D
/******************************************************************************* copyright: Copyright (c) 2004 Kris Bell. All rights reserved license: BSD style: $(LICENSE) version: Mar 2004: Initial release Dec 2006: Outback release author: Kris Ivan Senji (the "alias put" idea) *******************************************************************************/ module tango.io.protocol.model.IWriter; public import tango.io.model.IBuffer; /******************************************************************************* IWriter interface. Writers provide the means to append formatted data to an IBuffer, and expose a convenient method of handling a variety of data types. In addition to writing native types such as integer and char[], writers also process any class which has implemented the IWritable interface (one method). All writers support the full set of native data types, plus their fundamental array variants. Operations may be chained back-to-back. Writers support a Java-esque put() notation. However, the Tango style is to place IO elements within their own parenthesis, like so: --- write (count) (" green bottles"); --- Note that each written element is distict; this style is affectionately known as "whisper". The code below illustrates basic operation upon a memory buffer: --- auto buf = new Buffer (256); // map same buffer into both reader and writer auto read = new Reader (buf); auto write = new Writer (buf); int i = 10; long j = 20; double d = 3.14159; char[] c = "fred"; // write data types out write (c) (i) (j) (d); // read them back again read (c) (i) (j) (d); // same thing again, but using put() syntax instead write.put(c).put(i).put(j).put(d); read.get(c).get(i).get(j).get(d); --- Writers may also be used with any class implementing the IWritable interface, along with any struct implementing an equivalent function. *******************************************************************************/ abstract class IWriter // could be an interface, but that causes poor codegen { alias put opCall; /*********************************************************************** These are the basic writer methods ***********************************************************************/ abstract IWriter put (bool x); abstract IWriter put (ubyte x); ///ditto abstract IWriter put (byte x); ///ditto abstract IWriter put (ushort x); ///ditto abstract IWriter put (short x); ///ditto abstract IWriter put (uint x); ///ditto abstract IWriter put (int x); ///ditto abstract IWriter put (ulong x); ///ditto abstract IWriter put (long x); ///ditto abstract IWriter put (float x); ///ditto abstract IWriter put (double x); ///ditto abstract IWriter put (real x); ///ditto abstract IWriter put (char x); ///ditto abstract IWriter put (wchar x); ///ditto abstract IWriter put (dchar x); ///ditto abstract IWriter put (bool[] x); abstract IWriter put (byte[] x); ///ditto abstract IWriter put (short[] x); ///ditto abstract IWriter put (int[] x); ///ditto abstract IWriter put (long[] x); ///ditto abstract IWriter put (ubyte[] x); ///ditto abstract IWriter put (ushort[] x); ///ditto abstract IWriter put (uint[] x); ///ditto abstract IWriter put (ulong[] x); ///ditto abstract IWriter put (float[] x); ///ditto abstract IWriter put (double[] x); ///ditto abstract IWriter put (real[] x); ///ditto abstract IWriter put (char[] x); ///ditto abstract IWriter put (wchar[] x); ///ditto abstract IWriter put (dchar[] x); ///ditto /*********************************************************************** This is the mechanism used for binding arbitrary classes to the IO system. If a class implements IWritable, it can be used as a target for IWriter put() operations. That is, implementing IWritable is intended to transform any class into an IWriter adaptor for the content held therein ***********************************************************************/ abstract IWriter put (IWritable); alias void delegate (IWriter) Closure; abstract IWriter put (Closure); /*********************************************************************** Emit a newline ***********************************************************************/ abstract IWriter newline (); /*********************************************************************** Flush the output of this writer. Throws an IOException if the operation fails. These are aliases for each other ***********************************************************************/ abstract IWriter flush (); abstract IWriter put (); ///ditto /*********************************************************************** Return the associated buffer ***********************************************************************/ abstract IBuffer buffer (); } /******************************************************************************* Interface to make any class compatible with any IWriter *******************************************************************************/ interface IWritable { abstract void write (IWriter input); }
D
Test.d Test.p1: C:/Users/Roxana/Desktop/CalcRom_PWM/Test.c
D
/Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Do.o : /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Deprecated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Cancelable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObserverType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Reactive.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/RecursiveLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Errors.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/AtomicInt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Event.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/First.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Linux.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKShareKit/FBSDKShareKit.modulemap /Users/MohamedNawar/Desktop/sharzein/build/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKLoginKit/FBSDKLoginKit.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Do~partial.swiftmodule : /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Deprecated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Cancelable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObserverType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Reactive.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/RecursiveLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Errors.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/AtomicInt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Event.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/First.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Linux.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKShareKit/FBSDKShareKit.modulemap /Users/MohamedNawar/Desktop/sharzein/build/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKLoginKit/FBSDKLoginKit.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/Objects-normal/x86_64/Do~partial.swiftdoc : /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Amb.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SingleAsync.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DistinctUntilChanged.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Deferred.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Deprecated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Enumerated.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Maybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsMaybe.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/InfiniteSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/ObservableType+PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debounce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Reduce.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Range.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Merge.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Take.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Cancelable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/ScheduledDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/CompositeDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SerialDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BooleanDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SubscriptionDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/NopDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/AnonymousDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/SingleAssignmentDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/RefCountDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/BinaryDisposable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/GroupedObservable.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Single.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AsSingle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipWhile.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sample.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Throttle.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ShareReplayScope.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedUnsubscribeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ConnectableObservableType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableConvertibleType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedDisposeType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItemType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/SynchronizedOnType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ImmediateSchedulerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/LockOwnerType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeConverterType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObserverType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/SubjectType.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/ObserverBase.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Create.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Generate.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Queue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/PriorityQueue.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Reactive.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Materialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Dematerialize.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/AddRef.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DataStructures/Bag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/DisposeBag.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Using.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Debug.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Catch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Date+Dispatch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Switch.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/StartWith.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/Lock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Concurrency/AsyncLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/RecursiveLock.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Sink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/TailRecursiveSink.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Optional.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SkipUntil.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/ScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/InvocableScheduledItem.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/WithLatestFrom.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SubscribeOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ObserveOn.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Scan.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/Completable+AndThen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/RetryWhen.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Darwin.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SchedulerServices+Emulation.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+Collection.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DelaySubscription.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Do.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Map.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CompactMap.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Skip.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Producer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Buffer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/CurrentThreadScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/VirtualTimeScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/SerialDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/OperationQueueScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/RecursiveScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/MainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/ConcurrentMainScheduler.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timer.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Filter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Never.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observers/AnonymousObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/AnyObserver.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Error.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Disposables/Disposables.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/ObservableType+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/DispatchQueue+Extensions.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Errors.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ElementAt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Concat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Repeat.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/AsyncSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/PublishSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/BehaviorSubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Subjects/ReplaySubject.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/AtomicInt.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Event.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/SwiftSupport/SwiftSupport.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/TakeLast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Multicast.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/First.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Just.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Timeout.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Window.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Extensions/Bag+Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Rx.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/RxMutableBox.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/Platform/Platform.Linux.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/GroupBy.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Delay.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/ToArray.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Traits/PrimitiveSequence+Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Zip+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/CombineLatest+arity.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/Empty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/SwitchIfEmpty.swift /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/RxSwift/RxSwift/Observables/DefaultIfEmpty.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/Pods/Target\ Support\ Files/RxSwift/RxSwift-umbrella.h /Users/MohamedNawar/Desktop/MyMVVMRxSwiftExample/build/Pods.build/Debug-iphonesimulator/RxSwift.build/unextended-module.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKShareKit/FBSDKShareKit.modulemap /Users/MohamedNawar/Desktop/sharzein/build/Debug-iphonesimulator/FBSDKCoreKit/FBSDKCoreKit.modulemap /Users/MohamedNawar/Desktop/sharzein/Pods/Headers/Public/FBSDKLoginKit/FBSDKLoginKit.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
instance DIA_Orlan_EXIT(C_Info) { npc = BAU_970_Orlan; nr = 999; condition = DIA_Orlan_EXIT_Condition; information = DIA_Orlan_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Orlan_EXIT_Condition() { return TRUE; }; func void DIA_Orlan_EXIT_Info() { AI_StopProcessInfos(self); }; instance DIA_Orlan_Wein(C_Info) { npc = BAU_970_Orlan; nr = 3; condition = DIA_Orlan_Wein_Condition; information = DIA_Orlan_Wein_Info; permanent = FALSE; description = "Я принес вино из монастыря."; }; func int DIA_Orlan_Wein_Condition() { if((MIS_GoraxWein == LOG_Running) && (Npc_HasItems(other,ItFo_Wine) >= 12)) { return TRUE; }; }; func void DIA_Orlan_Wein_Info() { AI_Output(other,self,"DIA_Orlan_Wein_15_00"); //Я принес вино из монастыря. AI_Output(self,other,"DIA_Orlan_Wein_05_01"); //Превосходно. Это именно то, что мне нужно. AI_Output(self,other,"DIA_Orlan_Wein_05_02"); //Я уже договорился о цене с мастером Гораксом. Я дам тебе 100 золотых монет прямо сейчас. Info_ClearChoices(DIA_Orlan_Wein); Info_AddChoice(DIA_Orlan_Wein,"Хорошо, давай мне это золото.",DIA_Orlan_Wein_JA); Info_AddChoice(DIA_Orlan_Wein,"Ты пытаешься надуть меня?",DIA_Orlan_Wein_NEIN); }; func void DIA_Orlan_Wein_JA() { AI_Output(other,self,"DIA_Orlan_Wein_JA_15_00"); //Хорошо, давай мне это золото. AI_Output(self,other,"DIA_Orlan_Wein_JA_05_01"); //Держи. С тобой приятно иметь дело. B_GiveInvItems(self,other,ItMi_Gold,100); B_GiveInvItems(other,self,ItFo_Wine,12); Info_ClearChoices(DIA_Orlan_Wein); }; func void DIA_Orlan_Wein_NEIN() { AI_Output(other,self,"DIA_Orlan_Wein_NEIN_15_00"); //Ты пытаешься надуть меня? Оно стоит 240 монет. AI_Output(self,other,"DIA_Orlan_Wein_NEIN_05_01"); //Так, Горакс предупредил тебя, да? Ну хорошо, может быть, мы сможем договориться. Послушай, давай поступим так - я дам тебе 100 монет за это вино. AI_Output(self,other,"DIA_Orlan_Wein_NEIN_05_02"); //Ты скажешь Гораксу, что я обманул тебя, а я дам тебе в придачу ЧЕТЫРЕ свитка с заклинаниями. Info_ClearChoices(DIA_Orlan_Wein); Info_AddChoice(DIA_Orlan_Wein,"Эй, давай сюда 240 монет.",DIA_Orlan_Wein_Nie); Info_AddChoice(DIA_Orlan_Wein,"Хм, звучит заманчиво. Давай сюда эти свитки.",DIA_Orlan_Wein_Okay); Info_AddChoice(DIA_Orlan_Wein,"А что это за свитки?",DIA_Orlan_Wein_Was); }; func void DIA_Orlan_Wein_Nie() { AI_Output(other,self,"DIA_Orlan_Wein_Nie_15_00"); //Эй, давай сюда 240 монет. AI_Output(self,other,"DIA_Orlan_Wein_Nie_05_01"); //Ты не хочешь вести со мной бизнес, да? Ну хорошо, вот твое золото. B_GiveInvItems(self,other,ItMi_Gold,240); B_GiveInvItems(other,self,ItFo_Wine,12); Info_ClearChoices(DIA_Orlan_Wein); }; func void DIA_Orlan_Wein_Okay() { var string text; text = ConcatStrings("4",PRINT_ItemsErhalten); PrintScreen(text,-1,-1,FONT_ScreenSmall,2); B_GiveInvItems(self,other,ItMi_Gold,100); AI_Output(other,self,"DIA_Orlan_Wein_Okay_15_00"); //Хм, звучит заманчиво. Давай сюда эти свитки. AI_Output(self,other,"DIA_Orlan_Wein_Okay_05_01"); //Вот твои свитки и золото. B_GiveInvItems(other,self,ItFo_Wine,12); CreateInvItems(hero,ItSc_Light,2); CreateInvItems(hero,ItSc_LightHeal,1); CreateInvItems(hero,ItSc_SumGobSkel,1); Info_ClearChoices(DIA_Orlan_Wein); }; func void DIA_Orlan_Wein_Was() { AI_Output(other,self,"DIA_Orlan_Wein_Was_15_00"); //А что это за свитки? AI_Output(self,other,"DIA_Orlan_Wein_Was_05_01"); //Понятия не имею - я в этом ничего не понимаю. Они достались мне от гостя, который... э-э... забыл их здесь, да! }; instance DIA_Orlan_WERBISTDU(C_Info) { npc = BAU_970_Orlan; nr = 2; condition = DIA_Orlan_WERBISTDU_Condition; information = DIA_Orlan_WERBISTDU_Info; description = "Кто ты?"; }; func int DIA_Orlan_WERBISTDU_Condition() { return TRUE; }; func void DIA_Orlan_WERBISTDU_Info() { AI_Output(other,self,"DIA_Orlan_WERBISTDU_15_00"); //Ты кто? AI_Output(self,other,"DIA_Orlan_WERBISTDU_05_01"); //Я Орлан, хозяин этой скромной таверны. AI_Output(self,other,"DIA_Orlan_WERBISTDU_05_02"); //Ты что-нибудь ищешь, чужеземец? Может быть, приличный меч или хорошие доспехи? AI_Output(self,other,"DIA_Orlan_WERBISTDU_05_03"); //Глоток вина, или, может быть, тебе нужна информация? AI_Output(self,other,"DIA_Orlan_WERBISTDU_05_04"); //Я могу дать тебе все это и даже больше, если у тебя есть звонкие монеты. }; instance DIA_Addon_Orlan_Greg(C_Info) { npc = BAU_970_Orlan; nr = 5; condition = DIA_Addon_Orlan_Greg_Condition; information = DIA_Addon_Orlan_Greg_Info; description = "Ты знаешь человека с повязкой на глазу?"; }; func int DIA_Addon_Orlan_Greg_Condition() { if((SC_SawGregInTaverne == TRUE) && (Kapitel <= 3) && Npc_KnowsInfo(other,DIA_Orlan_WERBISTDU)) { return TRUE; }; }; func void DIA_Addon_Orlan_Greg_Info() { AI_Output(other,self,"DIA_Addon_Orlan_Greg_15_00"); //Ты знаешь человека с повязкой на глазу? AI_Output(self,other,"DIA_Addon_Orlan_Greg_05_01"); //Я видел его здесь раньше. Неприятный тип. AI_Output(self,other,"DIA_Addon_Orlan_Greg_05_02"); //Некоторое время назад он снял у меня верхнюю комнату. При нем был огромный сундук. AI_Output(self,other,"DIA_Addon_Orlan_Greg_05_03"); //Ему нужно было постоянно напоминать о том, что пора платить за комнату. А он совершенно не обращал на это внимания. AI_Output(self,other,"DIA_Addon_Orlan_Greg_05_04"); //А в один прекрасный день он просто исчез вместе со своим ящиком. Не люблю таких людей. }; instance DIA_Addon_Orlan_Ranger(C_Info) { npc = BAU_970_Orlan; nr = 2; condition = DIA_Addon_Orlan_Ranger_Condition; information = DIA_Addon_Orlan_Ranger_Info; description = "У меня паранойя, или ты действительно постоянно смотришь на мое кольцо?"; }; func int DIA_Addon_Orlan_Ranger_Condition() { if(Npc_KnowsInfo(other,DIA_Orlan_WERBISTDU) && (SCIsWearingRangerRing == TRUE)) { return TRUE; }; }; func void DIA_Addon_Orlan_Ranger_Info() { AI_Output(other,self,"DIA_Addon_Orlan_Ranger_15_00"); //У меня паранойя, или ты действительно постоянно смотришь на мое кольцо? AI_Output(self,other,"DIA_Addon_Orlan_Ranger_05_01"); //Я не совсем уверен, как это понимать... Orlan_KnowsSCAsRanger = TRUE; Info_ClearChoices(DIA_Addon_Orlan_Ranger); Info_AddChoice(DIA_Addon_Orlan_Ranger,"Я стал членом Кольца Воды!",DIA_Addon_Orlan_Ranger_Idiot); Info_AddChoice(DIA_Addon_Orlan_Ranger,"Это аквамарин. Видел когда-нибудь такой?",DIA_Addon_Orlan_Ranger_Aqua); }; func void DIA_Addon_Orlan_Ranger_Aqua() { AI_Output(other,self,"DIA_Addon_Orlan_Ranger_Aqua_15_00"); //Это аквамарин. Видел когда-нибудь такой? AI_Output(self,other,"DIA_Addon_Orlan_Ranger_Aqua_05_01"); //Видел. Добро пожаловать в штаб-квартиру, брат по Кольцу. if(Npc_KnowsInfo(other,DIA_Addon_Orlan_NoMeeting)) { AI_Output(self,other,"DIA_Addon_Orlan_Ranger_Aqua_05_02"); //Хотя, конечно, выглядишь ты не особенно одаренным... }; AI_Output(self,other,"DIA_Addon_Orlan_Ranger_Aqua_05_03"); //Что я могу для тебя сделать? Info_ClearChoices(DIA_Addon_Orlan_Ranger); B_GivePlayerXP(XP_Ambient); }; func void DIA_Addon_Orlan_Ranger_Idiot() { AI_Output(other,self,"DIA_Addon_Orlan_Ranger_Lares_15_00"); //Я стал членом Кольца Воды! AI_Output(self,other,"DIA_Addon_Orlan_Ranger_Lares_05_01"); //Действительно? Не могу поверить, что такого болвана приняли в общество. AI_Output(self,other,"DIA_Addon_Orlan_Ranger_Lares_05_02"); //Итак, что тебе нужно? Info_ClearChoices(DIA_Addon_Orlan_Ranger); }; instance DIA_Addon_Orlan_Teleportstein(C_Info) { npc = BAU_970_Orlan; nr = 2; condition = DIA_Addon_Orlan_Teleportstein_Condition; information = DIA_Addon_Orlan_Teleportstein_Info; description = "Ты когда-нибудь использовал телепорты?"; }; func int DIA_Addon_Orlan_Teleportstein_Condition() { if((Orlan_KnowsSCAsRanger == TRUE) && (SCUsed_TELEPORTER == TRUE)) { return TRUE; }; }; func void DIA_Addon_Orlan_Teleportstein_Info() { AI_Output(other,self,"DIA_Addon_Orlan_Teleportstein_15_00"); //Ты когда-нибудь использовал телепорты? AI_Output(self,other,"DIA_Addon_Orlan_Teleportstein_05_01"); //Ты рехнулся? Пока маги воды не убедят меня, что это безопасно, я и близко подходить к ним не буду. AI_Output(self,other,"DIA_Addon_Orlan_Teleportstein_05_02"); //Меня попросили спрятать один из телепортов. Больше я не хочу иметь с этими штуками ничего общего. B_GivePlayerXP(XP_Ambient); Info_ClearChoices(DIA_Addon_Orlan_Teleportstein); Info_AddChoice(DIA_Addon_Orlan_Teleportstein,"А я могу посмотреть на этот телепорт?",DIA_Addon_Orlan_Teleportstein_sehen); Info_AddChoice(DIA_Addon_Orlan_Teleportstein,"Где находится телепорт?",DIA_Addon_Orlan_Teleportstein_wo); }; func void DIA_Addon_Orlan_Teleportstein_sehen() { AI_Output(other,self,"DIA_Addon_Orlan_Teleportstein_sehen_15_00"); //А я могу посмотреть на этот телепорт? AI_Output(self,other,"DIA_Addon_Orlan_Teleportstein_sehen_05_01"); //Смотри, если хочешь. Вот ключ - я запер вход. CreateInvItems(self,itke_orlan_teleportstation,1); B_GiveInvItems(self,other,itke_orlan_teleportstation,1); Log_CreateTopic(TOPIC_Addon_TeleportsNW,LOG_MISSION); Log_SetTopicStatus(TOPIC_Addon_TeleportsNW,LOG_Running); B_LogEntry(TOPIC_Addon_TeleportsNW,"Орлан запер камень-телепорт в пещере к юго-западу от своей таверны."); }; func void DIA_Addon_Orlan_Teleportstein_wo() { AI_Output(other,self,"DIA_Addon_Orlan_Teleportstein_wo_15_00"); //Где находится телепорт? AI_Output(self,other,"DIA_Addon_Orlan_Teleportstein_wo_05_01"); //Недалеко от моей таверны, на юге, есть пещера. В ней маги воды его и обнаружили. }; instance DIA_Addon_Orlan_NoMeeting(C_Info) { npc = BAU_970_Orlan; nr = 2; condition = DIA_Addon_Orlan_NoMeeting_Condition; information = DIA_Addon_Orlan_NoMeeting_Info; description = "Я хочу присоединиться к Кольцу Воды!"; }; func int DIA_Addon_Orlan_NoMeeting_Condition() { if(Npc_KnowsInfo(other,DIA_Orlan_WERBISTDU) && !Npc_KnowsInfo(other,DIA_Addon_Orlan_Ranger) && (SCIsWearingRangerRing == FALSE) && (MIS_Addon_Lares_ComeToRangerMeeting == LOG_Running)) { return TRUE; }; }; func void DIA_Addon_Orlan_NoMeeting_Info() { AI_Output(other,self,"DIA_Addon_Orlan_NoMeeting_15_00"); //Я хочу присоединиться к Кольцу Воды! AI_Output(self,other,"DIA_Addon_Orlan_NoMeeting_05_01"); //Здесь нет никаких колец. Налить тебе выпить? }; instance DIA_Addon_Orlan_WhenRangerMeeting(C_Info) { npc = BAU_970_Orlan; nr = 5; condition = DIA_Addon_Orlan_WhenRangerMeeting_Condition; information = DIA_Addon_Orlan_WhenRangerMeeting_Info; description = "Мне сказали, что в твоей таверне будет встреча членов этого общества."; }; func int DIA_Addon_Orlan_WhenRangerMeeting_Condition() { if((MIS_Addon_Lares_ComeToRangerMeeting == LOG_Running) && Npc_KnowsInfo(other,DIA_Addon_Orlan_Ranger)) { return TRUE; }; }; func void DIA_Addon_Orlan_WhenRangerMeeting_Info() { AI_Output(other,self,"DIA_Addon_Orlan_WhenRangerMeeting_15_00"); //Мне сказали, что в твоей таверне будет встреча членов этого общества. AI_Output(self,other,"DIA_Addon_Orlan_WhenRangerMeeting_05_01"); //Верно. Она вот-вот должна начаться. AI_Output(self,other,"DIA_Addon_Orlan_WhenRangerMeeting_05_02"); //Остальные почему-то задерживаются. B_GivePlayerXP(XP_Ambient); B_Addon_Orlan_RangersReadyForComing(); self.flags = 0; Info_ClearChoices(DIA_Addon_Orlan_WhenRangerMeeting); Info_AddChoice(DIA_Addon_Orlan_WhenRangerMeeting,"Остальные должны вот-вот появиться.",DIA_Addon_Orlan_WhenRangerMeeting_theyCome); Info_AddChoice(DIA_Addon_Orlan_WhenRangerMeeting,"Встреча будет сегодня?",DIA_Addon_Orlan_WhenRangerMeeting_Today); }; func void DIA_Addon_Orlan_WhenRangerMeeting_Today() { AI_Output(other,self,"DIA_Addon_Orlan_WhenRangerMeeting_Today_15_00"); //Встреча будет сегодня? AI_Output(self,other,"DIA_Addon_Orlan_WhenRangerMeeting_Today_05_01"); //Да, насколько я помню. AI_Output(self,other,"DIA_Addon_Orlan_WhenRangerMeeting_Today_05_02"); //Надеюсь, мы начнем не слишком поздно. B_MakeRangerReadyForMeetingALL(); Info_ClearChoices(DIA_Addon_Orlan_WhenRangerMeeting); Info_AddChoice(DIA_Addon_Orlan_WhenRangerMeeting,"(далее)",DIA_Addon_Orlan_WhenRangerMeeting_Los); }; func void DIA_Addon_Orlan_WhenRangerMeeting_theyCome() { AI_Output(other,self,"DIA_Addon_Orlan_WhenRangerMeeting_theyCome_15_00"); //Остальные должны вот-вот появиться. AI_Output(self,other,"DIA_Addon_Orlan_WhenRangerMeeting_theyCome_05_01"); //Посмотрим... B_MakeRangerReadyForMeetingALL(); Info_ClearChoices(DIA_Addon_Orlan_WhenRangerMeeting); Info_AddChoice(DIA_Addon_Orlan_WhenRangerMeeting,"(далее)",DIA_Addon_Orlan_WhenRangerMeeting_Los); }; func void DIA_Addon_Orlan_WhenRangerMeeting_Los() { AI_StopProcessInfos(self); B_Addon_Orlan_ComingRanger(); }; instance DIA_Orlan_RUESTUNG(C_Info) { npc = BAU_970_Orlan; nr = 5; condition = DIA_Orlan_RUESTUNG_Condition; information = DIA_Orlan_RUESTUNG_Info; permanent = TRUE; description = "Что за доспехи ты можешь предложить?"; }; var int DIA_Orlan_RUESTUNG_noPerm; func int DIA_Orlan_RUESTUNG_Condition() { if(Npc_KnowsInfo(other,DIA_Orlan_WERBISTDU) && (DIA_Orlan_RUESTUNG_noPerm == FALSE) && (other.guild == GIL_NONE)) { return TRUE; }; }; func void DIA_Orlan_RUESTUNG_Info() { AI_Output(other,self,"DIA_Orlan_RUESTUNG_15_00"); //Что за доспехи ты можешь предложить? AI_Output(self,other,"DIA_Orlan_RUESTUNG_05_01"); //У меня есть очень хороший экземпляр, я уверен, это заинтересует тебя. Info_ClearChoices(DIA_Orlan_RUESTUNG); Info_AddChoice(DIA_Orlan_RUESTUNG,Dialog_Back,DIA_Orlan_RUESTUNG_BACK); Info_AddChoice(DIA_Orlan_RUESTUNG,"Купить кожаные доспехи: 25/20/5/0. Цена: 250 золота.",DIA_Orlan_RUESTUNG_Buy); }; func void DIA_Orlan_RUESTUNG_Buy() { AI_Output(other,self,"DIA_Orlan_RUESTUNG_Buy_15_00"); //Я бы хотел купить кожаные доспехи. if(B_GiveInvItems(other,self,ItMi_Gold,VALUE_ITAR_Leather_L)) { AI_Output(self,other,"DIA_Orlan_RUESTUNG_Buy_05_01"); //Мудрый выбор. CreateInvItems(self,ITAR_Leather_L,1); B_GiveInvItems(self,other,ITAR_Leather_L,1); AI_EquipBestArmor(other); DIA_Orlan_RUESTUNG_noPerm = TRUE; } else { AI_Output(self,other,"DIA_Orlan_RUESTUNG_Buy_05_02"); //Извини. Заходи, когда у тебя появятся деньги. }; Info_ClearChoices(DIA_Orlan_RUESTUNG); }; func void DIA_Orlan_RUESTUNG_BACK() { AI_Output(other,self,"DIA_Orlan_RUESTUNG_BACK_15_00"); //Я подумаю над этим. AI_Output(self,other,"DIA_Orlan_RUESTUNG_BACK_05_01"); //Как хочешь. Только не думай слишком долго. Info_ClearChoices(DIA_Orlan_RUESTUNG); }; instance DIA_Orlan_TRADE(C_Info) { npc = BAU_970_Orlan; nr = 70; condition = DIA_Orlan_TRADE_Condition; information = DIA_Orlan_TRADE_Info; trade = TRUE; permanent = TRUE; description = "Покажи мне свои товары."; }; func int DIA_Orlan_TRADE_Condition() { if(Npc_KnowsInfo(other,DIA_Orlan_WERBISTDU)) { return TRUE; }; }; func void DIA_Orlan_TRADE_Info() { AI_Output(other,self,"DIA_Orlan_TRADE_15_00"); //Покажи мне свои товары. B_GiveTradeInv(self); if((SC_IsRanger == TRUE) || (Orlan_KnowsSCAsRanger == TRUE) || (SCIsWearingRangerRing == TRUE)) { AI_Output(self,other,"DIA_Addon_Orlan_TRADE_05_00"); //Конечно, брат по Кольцу. Orlan_KnowsSCAsRanger = TRUE; } else if((hero.guild == GIL_PAL) || (hero.guild == GIL_KDF)) { AI_Output(self,other,"DIA_Orlan_TRADE_05_01"); //Конечно. Для меня большая честь услужить такому важному гостю. } else if((hero.guild == GIL_SLD) || (hero.guild == GIL_DJG) || (hero.guild == GIL_MIL)) { AI_Output(self,other,"DIA_Orlan_TRADE_05_02"); //Конечно, сэр. } else { AI_Output(self,other,"DIA_Orlan_TRADE_05_03"); //Если ты сможешь заплатить. }; }; instance DIA_Orlan_HotelZimmer(C_Info) { npc = BAU_970_Orlan; nr = 6; condition = DIA_Orlan_HotelZimmer_Condition; information = DIA_Orlan_HotelZimmer_Info; permanent = TRUE; description = "Сколько ты берешь за комнату?"; }; var int Orlan_SCGotHotelZimmer; var int Orlan_SCGotHotelZimmerDay; func int DIA_Orlan_HotelZimmer_Condition() { if(Npc_KnowsInfo(other,DIA_Orlan_WERBISTDU) && (Orlan_SCGotHotelZimmer == FALSE)) { return TRUE; }; }; func void DIA_Orlan_HotelZimmer_Info() { AI_Output(other,self,"DIA_Orlan_HotelZimmer_15_00"); //Сколько ты берешь за комнату? if((hero.guild == GIL_PAL) || (hero.guild == GIL_KDF) || (SC_IsRanger == TRUE) || (SCIsWearingRangerRing == TRUE) || (Orlan_KnowsSCAsRanger == TRUE)) { if((SC_IsRanger == TRUE) || (SCIsWearingRangerRing == TRUE) || (Orlan_KnowsSCAsRanger == TRUE)) { AI_Output(self,other,"DIA_Addon_Orlan_HotelZimmer_05_00"); //Братья по Кольцу живут у меня бесплатно. Orlan_RangerHelpZimmer = TRUE; Orlan_KnowsSCAsRanger = TRUE; } else if(hero.guild == GIL_PAL) { AI_Output(self,other,"DIA_Orlan_HotelZimmer_05_01"); //Для рыцаря короля у меня всегда найдется свободная комната. Совершенно бесплатно, естественно. } else { AI_Output(self,other,"DIA_Orlan_HotelZimmer_05_02"); //Я бы никогда не посмел взять деньги за свои услуги с представителя Инноса на земле. }; AI_Output(self,other,"DIA_Orlan_HotelZimmer_05_03"); //Вот ключ от верхних комнат. Выбирай, которая больше понравится. CreateInvItems(self,itke_orlan_hotelzimmer,1); B_GiveInvItems(self,other,itke_orlan_hotelzimmer,1); Orlan_SCGotHotelZimmer = TRUE; Orlan_SCGotHotelZimmerDay = Wld_GetDay(); } else { AI_Output(self,other,"DIA_Orlan_HotelZimmer_05_04"); //Ты платишь 50 золотых монет в неделю - и комната твоя. Info_ClearChoices(DIA_Orlan_HotelZimmer); Info_AddChoice(DIA_Orlan_HotelZimmer,"Черт побери, как дорого-то!",DIA_Orlan_HotelZimmer_nein); Info_AddChoice(DIA_Orlan_HotelZimmer,"Хорошо. Вот золото.",DIA_Orlan_HotelZimmer_ja); }; }; func void DIA_Orlan_HotelZimmer_ja() { if(B_GiveInvItems(other,self,ItMi_Gold,50)) { AI_Output(other,self,"DIA_Orlan_HotelZimmer_ja_15_00"); //Хорошо. Вот золото. AI_Output(self,other,"DIA_Orlan_HotelZimmer_ja_05_01"); //А вот ключ. Комнаты находятся вверх по лестнице. Но не загадь ее и не забывай платить ренту вовремя, понятно? CreateInvItems(self,itke_orlan_hotelzimmer,1); B_GiveInvItems(self,other,itke_orlan_hotelzimmer,1); Orlan_SCGotHotelZimmerDay = Wld_GetDay(); Orlan_SCGotHotelZimmer = TRUE; } else { AI_Output(self,other,"DIA_Orlan_HotelZimmer_ja_05_02"); //У тебя нет 50-ти. Сначала деньги, потом удовольствие. }; Info_ClearChoices(DIA_Orlan_HotelZimmer); }; func void DIA_Orlan_HotelZimmer_nein() { AI_Output(other,self,"DIA_Orlan_HotelZimmer_nein_15_00"); //Черт побери, как дорого-то! AI_Output(self,other,"DIA_Orlan_HotelZimmer_nein_05_01"); //Тогда попробуй поискать ночлег в другом месте, дружок. Info_ClearChoices(DIA_Orlan_HotelZimmer); }; var int Orlan_AngriffWegenMiete; instance DIA_Orlan_MieteFaellig(C_Info) { npc = BAU_970_Orlan; nr = 10; condition = DIA_Orlan_MieteFaellig_Condition; information = DIA_Orlan_MieteFaellig_Info; important = TRUE; permanent = TRUE; }; var int DIA_Orlan_MieteFaellig_NoMore; func int DIA_Orlan_MieteFaellig_Condition() { if((SC_IsRanger == TRUE) || (Orlan_RangerHelpZimmer == TRUE)) { return FALSE; }; if((Orlan_AngriffWegenMiete == TRUE) && (DIA_Orlan_MieteFaellig_NoMore == FALSE)) { if(self.aivar[AIV_LastFightAgainstPlayer] == FIGHT_LOST) { return FALSE; }; if(self.aivar[AIV_LastFightAgainstPlayer] == FIGHT_WON) { Orlan_SCGotHotelZimmerDay = Wld_GetDay(); Orlan_AngriffWegenMiete = FALSE; return FALSE; }; }; if((Orlan_SCGotHotelZimmer == TRUE) && (Orlan_SCGotHotelZimmerDay <= (Wld_GetDay() - 7)) && (DIA_Orlan_MieteFaellig_NoMore == FALSE)) { return TRUE; }; }; func void DIA_Orlan_MieteFaellig_Info() { if((hero.guild == GIL_PAL) || (hero.guild == GIL_KDF)) { AI_Output(self,other,"DIA_Orlan_MieteFaellig_05_00"); //Я очень рад визиту такого гостя. Оставайся здесь, сколько пожелаешь. Это честь для меня. DIA_Orlan_MieteFaellig_NoMore = TRUE; } else { AI_Output(self,other,"DIA_Orlan_MieteFaellig_05_01"); //Когда я, наконец, получу мою ренту? Info_ClearChoices(DIA_Orlan_MieteFaellig); Info_AddChoice(DIA_Orlan_MieteFaellig,"Забудь об этом. Я больше не буду платить тебе.",DIA_Orlan_MieteFaellig_nein); Info_AddChoice(DIA_Orlan_MieteFaellig,"Вот твои 50 монет.",DIA_Orlan_MieteFaellig_ja); }; }; var int DIA_Orlan_MieteFaellig_OneTime; func void DIA_Orlan_MieteFaellig_ja() { AI_Output(other,self,"DIA_Orlan_MieteFaellig_ja_15_00"); //Вот твои 50 монет. if(B_GiveInvItems(other,self,ItMi_Gold,50)) { AI_Output(self,other,"DIA_Orlan_MieteFaellig_ja_05_01"); //Как раз вовремя. if(DIA_Orlan_MieteFaellig_OneTime == FALSE) { AI_Output(self,other,"DIA_Orlan_MieteFaellig_ja_05_02"); //Где ты шлялся весь день? AI_Output(other,self,"DIA_Orlan_MieteFaellig_ja_15_03"); //Тебе лучше не знать. AI_Output(self,other,"DIA_Orlan_MieteFaellig_ja_05_04"); //Мммм. Ну, да. Это, в общем-то, не мое дело. DIA_Orlan_MieteFaellig_OneTime = TRUE; }; Orlan_SCGotHotelZimmerDay = Wld_GetDay(); Info_ClearChoices(DIA_Orlan_MieteFaellig); } else { AI_Output(self,other,"DIA_Orlan_MieteFaellig_ja_05_05"); //Ты что, пытаешься надуть меня? У даже тебя нет денег, чтобы заплатить за еду. Я проучу тебя, ах ты... AI_StopProcessInfos(self); B_Attack(self,other,AR_NONE,1); }; }; func void DIA_Orlan_MieteFaellig_nein() { AI_Output(other,self,"DIA_Orlan_MieteFaellig_nein_15_00"); //Забудь об этом. Я больше не буду платить тебе. AI_Output(self,other,"DIA_Orlan_MieteFaellig_nein_05_01"); //Тогда мне придется проучить тебя. Презренный жулик! Orlan_AngriffWegenMiete = TRUE; Info_ClearChoices(DIA_Orlan_MieteFaellig); AI_StopProcessInfos(self); B_Attack(self,other,AR_NONE,1); }; instance DIA_Orlan_WETTKAMPFLAEUFT(C_Info) { npc = BAU_970_Orlan; nr = 7; condition = DIA_Orlan_WETTKAMPFLAEUFT_Condition; information = DIA_Orlan_WETTKAMPFLAEUFT_Info; important = TRUE; }; func int DIA_Orlan_WETTKAMPFLAEUFT_Condition() { if((DIA_Randolph_ICHGEBEDIRGELD_noPerm == TRUE) && (MIS_Rukhar_Wettkampf_Day <= (Wld_GetDay() - 2))) { return TRUE; }; }; func void DIA_Orlan_WETTKAMPFLAEUFT_Info() { AI_Output(self,other,"DIA_Orlan_WETTKAMPFLAEUFT_05_00"); //Вот ты где, наконец. Я ждал тебя. AI_Output(other,self,"DIA_Orlan_WETTKAMPFLAEUFT_15_01"); //Что случилось? AI_Output(self,other,"DIA_Orlan_WETTKAMPFLAEUFT_05_02"); //Состязание 'кто кого перепьет' наконец-то закончилось. AI_Output(other,self,"DIA_Orlan_WETTKAMPFLAEUFT_15_03"); //Кто победил? if((Mob_HasItems("CHEST_RUKHAR",ItFo_Booze) == FALSE) && (Mob_HasItems("CHEST_RUKHAR",ItFo_Water) == TRUE)) { AI_Output(self,other,"DIA_Orlan_WETTKAMPFLAEUFT_05_04"); //На этот раз Рендольф. Рухару нынче не повезло. } else { AI_Output(self,other,"DIA_Orlan_WETTKAMPFLAEUFT_05_05"); //Как всегда Рухар напоил Рендольфа в стельку. Этого следовало ожидать. Rukhar_Won_Wettkampf = TRUE; }; if((hero.guild != GIL_PAL) && (hero.guild != GIL_KDF)) { AI_Output(self,other,"DIA_Orlan_WETTKAMPFLAEUFT_05_06"); //Я надеюсь, это было в последний раз. Я не хочу, чтобы подобное повторялось в моем доме. Заруби это у себя на носу. }; B_GivePlayerXP(XP_Rukhar_WettkampfVorbei); AI_StopProcessInfos(self); Npc_ExchangeRoutine(self,"Start"); B_StartOtherRoutine(Randolph,"Start"); if(Hlp_IsValidNpc(Rukhar)) { if(Rukhar_Won_Wettkampf == TRUE) { B_StartOtherRoutine(Rukhar,"WettkampfRukharWon"); } else { B_StartOtherRoutine(Rukhar,"WettkampfRukharLost"); }; }; MIS_Rukhar_Wettkampf = LOG_SUCCESS; B_GivePlayerXP(XP_Ambient); }; instance DIA_Orlan_EINGEBROCKT(C_Info) { npc = BAU_970_Orlan; nr = 8; condition = DIA_Orlan_EINGEBROCKT_Condition; information = DIA_Orlan_EINGEBROCKT_Info; important = TRUE; }; func int DIA_Orlan_EINGEBROCKT_Condition() { if((DIA_Randolph_ICHGEBEDIRGELD_noPerm == TRUE) && (MIS_Rukhar_Wettkampf == LOG_Running)) { return TRUE; }; }; func void DIA_Orlan_EINGEBROCKT_Info() { AI_Output(self,other,"DIA_Orlan_EINGEBROCKT_05_00"); //Да уж, доставил ты мне проблем. Теперь мне нужно быть поосторожнее с Рухаром. AI_Output(other,self,"DIA_Orlan_EINGEBROCKT_15_01"); //Почему? AI_Output(self,other,"DIA_Orlan_EINGEBROCKT_05_02"); //Пока он устраивает здесь это свое состязание, лучше, чтобы никто посторонний не знал о нем. Это плохо для бизнеса, понимаешь? }; instance DIA_Orlan_Perm(C_Info) { npc = BAU_970_Orlan; nr = 99; condition = DIA_Orlan_Perm_Condition; information = DIA_Orlan_Perm_Info; permanent = TRUE; description = "Как дела в таверне?"; }; func int DIA_Orlan_Perm_Condition() { if(Npc_KnowsInfo(other,DIA_Orlan_WERBISTDU)) { return TRUE; }; }; func void DIA_Orlan_Perm_Info() { AI_Output(other,self,"DIA_Orlan_Perm_15_00"); //Как дела в таверне? if(Kapitel <= 2) { AI_Output(self,other,"DIA_Orlan_Perm_05_01"); //Бывало и лучше. AI_Output(self,other,"DIA_Orlan_Perm_05_02"); //Люди нынче не так охотно развязывают свои кошельки, как это было раньше. } else if(Kapitel >= 3) { AI_Output(self,other,"DIA_Orlan_Perm_05_03"); //Надеюсь, эти черные маги скоро уйдут, иначе, боюсь, мне придется закрыть таверну. AI_Output(self,other,"DIA_Orlan_Perm_05_04"); //Почти никто не осмеливается больше заглядывать сюда. }; }; instance DIA_Orlan_Minenanteil(C_Info) { npc = BAU_970_Orlan; nr = 3; condition = DIA_Orlan_Minenanteil_Condition; information = DIA_Orlan_Minenanteil_Info; description = "Ты продаешь акции?"; }; func int DIA_Orlan_Minenanteil_Condition() { if((hero.guild == GIL_KDF) && (MIS_Serpentes_MinenAnteil_KDF == LOG_Running) && Npc_KnowsInfo(other,DIA_Orlan_WERBISTDU)) { return TRUE; }; }; func void DIA_Orlan_Minenanteil_Info() { AI_Output(other,self,"DIA_Orlan_Minenanteil_15_00"); //Ты продаешь акции? AI_Output(self,other,"DIA_Orlan_Minenanteil_05_01"); //Конечно. Ты тоже можешь купить, если цена тебя устраивает. B_GivePlayerXP(XP_Ambient); }; instance DIA_Orlan_PICKPOCKET(C_Info) { npc = BAU_970_Orlan; nr = 900; condition = DIA_Orlan_PICKPOCKET_Condition; information = DIA_Orlan_PICKPOCKET_Info; permanent = TRUE; description = Pickpocket_100; }; func int DIA_Orlan_PICKPOCKET_Condition() { return C_Beklauen(89,260); }; func void DIA_Orlan_PICKPOCKET_Info() { Info_ClearChoices(DIA_Orlan_PICKPOCKET); Info_AddChoice(DIA_Orlan_PICKPOCKET,Dialog_Back,DIA_Orlan_PICKPOCKET_BACK); Info_AddChoice(DIA_Orlan_PICKPOCKET,DIALOG_PICKPOCKET,DIA_Orlan_PICKPOCKET_DoIt); }; func void DIA_Orlan_PICKPOCKET_DoIt() { B_Beklauen(); Info_ClearChoices(DIA_Orlan_PICKPOCKET); }; func void DIA_Orlan_PICKPOCKET_BACK() { Info_ClearChoices(DIA_Orlan_PICKPOCKET); };
D
/** Authors: Lars Tandle Kyllingstad Copyright: Copyright (c) 2009, Lars T. Kyllingstad. All rights reserved. License: Boost License 1.0 */ module scid.ports.quadpack.qk15i; import std.algorithm: max, min; import std.math; import scid.core.fortran; import scid.core.meta; /// void qk15i(Real, Func)(Func f, Real boun, int inf, Real a, Real b, out Real result, out Real abserr, out Real resabs, out Real resasc) { //***begin prologue dqk15i //***date written 800101 (yymmdd) //***revision date 830518 (yymmdd) //***category no. h2a3a2,h2a4a2 //***keywords 15-point transformed gauss-kronrod rules //***author piessens,robert,appl. math. & progr. div. - k.u.leuven // de doncker,elise,appl. math. & progr. div. - k.u.leuven //***purpose the original (infinite integration range is mapped // onto the interval (0,1) and (a,b) is a part of (0,1). // it is the purpose to compute // i = integral of transformed integrand over (a,b), // j = integral of abs(transformed integrand) over (a,b). //***description // // integration rule // standard fortran subroutine // double precision version // // parameters // on entry // f - double precision // fuction subprogram defining the integrand // function f(x). the actual name for f needs to be // declared e x t e r n a l in the calling program. // // boun - double precision // finite bound of original integration // range (set to zero if inf = +2) // // inf - integer // if inf = -1, the original interval is // (-infinity,bound), // if inf = +1, the original interval is // (bound,+infinity), // if inf = +2, the original interval is // (-infinity,+infinity) and // the integral is computed as the sum of two // integrals, one over (-infinity,0) and one over // (0,+infinity). // // a - double precision // lower limit for integration over subrange // of (0,1) // // b - double precision // upper limit for integration over subrange // of (0,1) // // on return // result - double precision // approximation to the integral i // result is computed by applying the 15-point // kronrod rule(resk) obtained by optimal addition // of abscissae to the 7-point gauss rule(resg). // // abserr - double precision // estimate of the modulus of the absolute error, // which should equal or exceed abs(i-result) // // resabs - double precision // approximation to the integral j // // resasc - double precision // approximation to the integral of // abs((transformed integrand)-i/(b-a)) over (a,b) // //***references (none) //***routines called d1mach //***end prologue dqk15i // Real absc,absc1,absc2,centr,dabs,dinf, epmach,fc,fsum,fval1,fval2,hlgth, resg,resk,reskh,tabsc1,tabsc2,uflow; Real[7] fv1_, fv2_; int j; // // the abscissae and weights are supplied for the interval // (-1,1). because of symmetry only the positive abscissae and // their corresponding weights are given. // // xgk - abscissae of the 15-point kronrod rule // xgk(2), xgk(4), ... abscissae of the 7-point // gauss rule // xgk(1), xgk(3), ... abscissae which are optimally // added to the 7-point gauss rule // // wgk - weights of the 15-point kronrod rule // // wg - weights of the 7-point gauss rule, corresponding // to the abscissae xgk(2), xgk(4), ... // wg(1), wg(3), ... are set to zero. // static immutable Real[8] wg_ = [ 0.0, 0.1294849661_6886969327_0611432679_082, 0.0, 0.2797053914_8927666790_1467771423_780, 0.0, 0.3818300505_0511894495_0369775488_975, 0.0, 0.4179591836_7346938775_5102040816_327 ]; // static immutable Real[8] xgk_ = [ 0.9914553711_2081263920_6854697526_329, 0.9491079123_4275852452_6189684047_851, 0.8648644233_5976907278_9712788640_926, 0.7415311855_9939443986_3864773280_788, 0.5860872354_6769113029_4144838258_730, 0.4058451513_7739716690_6606412076_961, 0.2077849550_0789846760_0689403773_245, 0.0000000000_0000000000_0000000000_000 ]; // static immutable Real[8] wgk_ = [ 0.0229353220_1052922496_3732008058_970, 0.0630920926_2997855329_0700663189_204, 0.1047900103_2225018383_9876322541_518, 0.1406532597_1552591874_5189590510_238, 0.1690047266_3926790282_6583426598_550, 0.1903505780_6478540991_3256402421_014, 0.2044329400_7529889241_4161999234_649, 0.2094821410_8472782801_2999174891_714 ]; // auto fv1 = dimension(fv1_.ptr, 7); auto fv2 = dimension(fv2_.ptr, 7); auto xgk = dimension(xgk_.ptr, 8); auto wgk = dimension(wgk_.ptr, 8); auto wg = dimension(wg_.ptr, 8); // // // list of major variables // ----------------------- // // centr - mid point of the interval // hlgth - half-length of the interval // absc* - abscissa // tabsc* - transformed abscissa // fval* - function value // resg - result of the 7-point gauss formula // resk - result of the 15-point kronrod formula // reskh - approximation to the mean value of the transformed // integrand over (a,b), i.e. to i/(b-a) // // machine dependent constants // --------------------------- // // epmach is the largest relative spacing. // uflow is the smallest positive magnitude. // //***first executable statement dqk15i epmach = Real.epsilon; uflow = Real.min_normal; dinf = min(1,inf); // centr = 0.5*(a+b); hlgth = 0.5*(b-a); tabsc1 = boun+dinf*(0.1e1-centr)/centr; fval1 = f(tabsc1); if(inf == 2) fval1 = fval1+f(-tabsc1); fc = (fval1/centr)/centr; // // compute the 15-point kronrod approximation to // the integral, and estimate the error. // resg = wg[8]*fc; resk = wgk[8]*fc; resabs = fabs(resk); for (j=1; j<=7; j++) { // end: 10 absc = hlgth*xgk[j]; absc1 = centr-absc; absc2 = centr+absc; tabsc1 = boun+dinf*(0.1e1-absc1)/absc1; tabsc2 = boun+dinf*(0.1e1-absc2)/absc2; fval1 = f(tabsc1); fval2 = f(tabsc2); if(inf == 2) fval1 = fval1+f(-tabsc1); if(inf == 2) fval2 = fval2+f(-tabsc2); fval1 = (fval1/absc1)/absc1; fval2 = (fval2/absc2)/absc2; fv1[j] = fval1; fv2[j] = fval2; fsum = fval1+fval2; resg = resg+wg[j]*fsum; resk = resk+wgk[j]*fsum; resabs = resabs+wgk[j]*(fabs(fval1)+fabs(fval2)); l10: ;} reskh = resk*0.5; resasc = wgk[8]*fabs(fc-reskh); for (j=1; j<=7; j++) { // end: 20 resasc = resasc+wgk[j]*(fabs(fv1[j]-reskh)+fabs(fv2[j]-reskh)); l20: ;} result = resk*hlgth; resasc = resasc*hlgth; resabs = resabs*hlgth; abserr = fabs((resk-resg)*hlgth); if(resasc != 0.0 && abserr != 0.0) abserr = resasc* min(0.1e1, ((cast(Real)0.2e3)*abserr/resasc)^^(cast(Real)1.5)); if(resabs > uflow/(0.5e2*epmach)) abserr = max ((epmach*0.5e2)*resabs,abserr); return; } unittest { alias qk15i!(float, float delegate(float)) fqk15i; alias qk15i!(double, double delegate(double)) dqk15i; alias qk15i!(double, double function(double)) dfqk15i; alias qk15i!(real, real delegate(real)) rqk15i; }
D
/** A HTTP 1.1/1.0 server implementation. Copyright: © 2012-2017 Sönke Ludwig License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig, Jan Krüger, Ilya Shipunov */ module vibe.http.server; public import vibe.core.net; public import vibe.http.common; public import vibe.http.session; import vibe.core.file; import vibe.core.log; import vibe.data.json; import vibe.http.dist; import vibe.http.log; import vibe.inet.message; import vibe.inet.url; import vibe.inet.webform; import vibe.internal.interfaceproxy : InterfaceProxy; import vibe.stream.counting; import vibe.stream.operations; import vibe.stream.tls; import vibe.stream.wrapper : ConnectionProxyStream, createConnectionProxyStream, createConnectionProxyStreamFL; import vibe.stream.zlib; import vibe.textfilter.urlencode; import vibe.utils.array; import vibe.internal.allocator; import vibe.internal.freelistref; import vibe.utils.string; import core.atomic; import core.vararg; import diet.traits : SafeFilterCallback, dietTraits; import std.algorithm : canFind; import std.array; import std.conv; import std.datetime; import std.encoding : sanitize; import std.exception; import std.format; import std.functional : toDelegate; import std.string; import std.traits : ReturnType; import std.typecons; import std.uri; version (VibeNoSSL) version = HaveNoTLS; else version (Have_botan) {} else version (Have_openssl) {} else version = HaveNoTLS; /**************************************************************************************************/ /* Public functions */ /**************************************************************************************************/ /** Starts a HTTP server listening on the specified port. request_handler will be called for each HTTP request that is made. The res parameter of the callback then has to be filled with the response data. request_handler can be either HTTPServerRequestDelegate/HTTPServerRequestFunction or a class/struct with a member function 'handleRequest' that has the same signature. Note that if the application has been started with the --disthost command line switch, listenHTTP() will automatically listen on the specified VibeDist host instead of locally. This allows for a seamless switch from single-host to multi-host scenarios without changing the code. If you need to listen locally, use listenHTTPPlain() instead. Params: settings = Customizes the HTTP servers functionality (host string or HTTPServerSettings object) request_handler = This callback is invoked for each incoming request and is responsible for generating the response. Returns: A handle is returned that can be used to stop listening for further HTTP requests with the supplied settings. Another call to `listenHTTP` can be used afterwards to start listening again. */ HTTPListener listenHTTP(Settings)(Settings _settings, HTTPServerRequestDelegate request_handler) @safe if (is(Settings == string) || is(Settings == HTTPServerSettings)) { // auto-construct HTTPServerSettings static if (is(Settings == string)) auto settings = new HTTPServerSettings(_settings); else alias settings = _settings; enforce(settings.bindAddresses.length, "Must provide at least one bind address for a HTTP server."); // if a VibeDist host was specified on the command line, register there instead of listening // directly. if (s_distHost.length && !settings.disableDistHost) { return listenHTTPDist(settings, request_handler, s_distHost, s_distPort); } else { return listenHTTPPlain(settings, request_handler); } } /// ditto HTTPListener listenHTTP(Settings)(Settings settings, HTTPServerRequestFunction request_handler) @safe if (is(Settings == string) || is(Settings == HTTPServerSettings)) { return listenHTTP(settings, () @trusted { return toDelegate(request_handler); } ()); } /// ditto HTTPListener listenHTTP(Settings)(Settings settings, HTTPServerRequestHandler request_handler) @safe if (is(Settings == string) || is(Settings == HTTPServerSettings)) { return listenHTTP(settings, &request_handler.handleRequest); } /// ditto HTTPListener listenHTTP(Settings)(Settings settings, HTTPServerRequestDelegateS request_handler) @safe if (is(Settings == string) || is(Settings == HTTPServerSettings)) { return listenHTTP(settings, cast(HTTPServerRequestDelegate)request_handler); } /// ditto HTTPListener listenHTTP(Settings)(Settings settings, HTTPServerRequestFunctionS request_handler) @safe if (is(Settings == string) || is(Settings == HTTPServerSettings)) { return listenHTTP(settings, () @trusted { return toDelegate(request_handler); } ()); } /// ditto HTTPListener listenHTTP(Settings)(Settings settings, HTTPServerRequestHandlerS request_handler) @safe if (is(Settings == string) || is(Settings == HTTPServerSettings)) { return listenHTTP(settings, &request_handler.handleRequest); } /// Scheduled for deprecation - use a `@safe` callback instead. HTTPListener listenHTTP(Settings)(Settings settings, void delegate(HTTPServerRequest, HTTPServerResponse) @system request_handler) @system if (is(Settings == string) || is(Settings == HTTPServerSettings)) { return listenHTTP(settings, (req, res) @trusted => request_handler(req, res)); } /// ditto HTTPListener listenHTTP(Settings)(Settings settings, void function(HTTPServerRequest, HTTPServerResponse) @system request_handler) @system if (is(Settings == string) || is(Settings == HTTPServerSettings)) { return listenHTTP(settings, (req, res) @trusted => request_handler(req, res)); } /// ditto HTTPListener listenHTTP(Settings)(Settings settings, void delegate(scope HTTPServerRequest, scope HTTPServerResponse) @system request_handler) @system if (is(Settings == string) || is(Settings == HTTPServerSettings)) { return listenHTTP(settings, (scope req, scope res) @trusted => request_handler(req, res)); } /// ditto HTTPListener listenHTTP(Settings)(Settings settings, void function(scope HTTPServerRequest, scope HTTPServerResponse) @system request_handler) @system if (is(Settings == string) || is(Settings == HTTPServerSettings)) { return listenHTTP(settings, (scope req, scope res) @trusted => request_handler(req, res)); } unittest { void test() { static void testSafeFunction(HTTPServerRequest req, HTTPServerResponse res) @safe {} listenHTTP("0.0.0.0:8080", &testSafeFunction); listenHTTP(":8080", new class HTTPServerRequestHandler { void handleRequest(HTTPServerRequest req, HTTPServerResponse res) @safe {} }); listenHTTP(":8080", (req, res) {}); static void testSafeFunctionS(scope HTTPServerRequest req, scope HTTPServerResponse res) @safe {} listenHTTP(":8080", &testSafeFunctionS); void testSafeDelegateS(scope HTTPServerRequest req, scope HTTPServerResponse res) @safe {} listenHTTP(":8080", &testSafeDelegateS); listenHTTP(":8080", new class HTTPServerRequestHandler { void handleRequest(scope HTTPServerRequest req, scope HTTPServerResponse res) @safe {} }); listenHTTP(":8080", (scope req, scope res) {}); } } /** Treats an existing connection as an HTTP connection and processes incoming requests. After all requests have been processed, the connection will be closed and the function returns to the caller. Params: connection = The stream to treat as an incoming HTTP client connection. context = Information about the incoming listener and available virtual hosts */ void handleHTTPConnection(TCPConnection connection, HTTPServerContext context) @safe { InterfaceProxy!Stream http_stream; http_stream = connection; scope (exit) connection.close(); // Set NODELAY to true, to avoid delays caused by sending the response // header and body in separate chunks. Note that to avoid other performance // issues (caused by tiny packets), this requires using an output buffer in // the event driver, which is the case at least for the default libevent // based driver. connection.tcpNoDelay = true; version(HaveNoTLS) {} else { TLSStreamType tls_stream; } if (!connection.waitForData(10.seconds())) { logDebug("Client didn't send the initial request in a timely manner. Closing connection."); return; } // If this is a HTTPS server, initiate TLS if (context.tlsContext) { version (HaveNoTLS) assert(false, "No TLS support compiled in."); else { logDebug("Accept TLS connection: %s", context.tlsContext.kind); // TODO: reverse DNS lookup for peer_name of the incoming connection for TLS client certificate verification purposes tls_stream = createTLSStreamFL(http_stream, context.tlsContext, TLSStreamState.accepting, null, connection.remoteAddress); http_stream = tls_stream; } } while (!connection.empty) { HTTPServerSettings settings; bool keep_alive; version(HaveNoTLS) {} else { // handle oderly TLS shutdowns if (tls_stream && tls_stream.empty) break; } () @trusted { import vibe.internal.utilallocator: RegionListAllocator; version (VibeManualMemoryManagement) scope request_allocator = new RegionListAllocator!(shared(Mallocator), false)(1024, Mallocator.instance); else scope request_allocator = new RegionListAllocator!(shared(GCAllocator), true)(1024, GCAllocator.instance); handleRequest(http_stream, connection, context, settings, keep_alive, request_allocator); } (); if (!keep_alive) { logTrace("No keep-alive - disconnecting client."); break; } logTrace("Waiting for next request..."); // wait for another possible request on a keep-alive connection if (!connection.waitForData(settings.keepAliveTimeout)) { if (!connection.connected) logTrace("Client disconnected."); else logDebug("Keep-alive connection timed out!"); break; } } logTrace("Done handling connection."); } /** Provides a HTTP request handler that responds with a static Diet template. */ @property HTTPServerRequestDelegateS staticTemplate(string template_file)() { return (scope HTTPServerRequest req, scope HTTPServerResponse res){ res.render!(template_file, req); }; } /** Provides a HTTP request handler that responds with a static redirection to the specified URL. Params: url = The URL to redirect to status = Redirection status to use $(LPAREN)by default this is $(D HTTPStatus.found)$(RPAREN). Returns: Returns a $(D HTTPServerRequestDelegate) that performs the redirect */ HTTPServerRequestDelegate staticRedirect(string url, HTTPStatus status = HTTPStatus.found) @safe { return (HTTPServerRequest req, HTTPServerResponse res){ res.redirect(url, status); }; } /// ditto HTTPServerRequestDelegate staticRedirect(URL url, HTTPStatus status = HTTPStatus.found) @safe { return (HTTPServerRequest req, HTTPServerResponse res){ res.redirect(url, status); }; } /// unittest { import vibe.http.router; void test() { auto router = new URLRouter; router.get("/old_url", staticRedirect("http://example.org/new_url", HTTPStatus.movedPermanently)); listenHTTP(new HTTPServerSettings, router); } } /** Sets a VibeDist host to register with. */ void setVibeDistHost(string host, ushort port) @safe { s_distHost = host; s_distPort = port; } /** Renders the given Diet template and makes all ALIASES available to the template. You can call this function as a pseudo-member of `HTTPServerResponse` using D's uniform function call syntax. See_also: `diet.html.compileHTMLDietFile` Examples: --- string title = "Hello, World!"; int pageNumber = 1; res.render!("mytemplate.dt", title, pageNumber); --- */ @property void render(string template_file, ALIASES...)(HTTPServerResponse res) { res.contentType = "text/html; charset=UTF-8"; version (VibeUseOldDiet) pragma(msg, "VibeUseOldDiet is not supported anymore. Please undefine in the package recipe."); import vibe.stream.wrapper : streamOutputRange; import diet.html : compileHTMLDietFile; auto output = streamOutputRange!1024(res.bodyWriter); compileHTMLDietFile!(template_file, ALIASES, DefaultDietFilters)(output); } /** Provides the default `css`, `javascript`, `markdown` and `htmlescape` filters */ @dietTraits struct DefaultDietFilters { import diet.html : HTMLOutputStyle; import diet.traits : SafeFilterCallback; import std.string : splitLines; version (VibeOutputCompactHTML) enum HTMLOutputStyle htmlOutputStyle = HTMLOutputStyle.compact; else enum HTMLOutputStyle htmlOutputStyle = HTMLOutputStyle.pretty; static string filterCss(I)(I text, size_t indent = 0) { auto lines = splitLines(text); string indent_string = "\n"; while (indent-- > 0) indent_string ~= '\t'; string ret = indent_string~"<style><!--"; indent_string = indent_string ~ '\t'; foreach (ln; lines) ret ~= indent_string ~ ln; indent_string = indent_string[0 .. $-1]; ret ~= indent_string ~ "--></style>"; return ret; } static string filterJavascript(I)(I text, size_t indent = 0) { auto lines = splitLines(text); string indent_string = "\n"; while (indent-- > 0) indent_string ~= '\t'; string ret = indent_string~"<script>"; ret ~= indent_string~'\t' ~ "//<![CDATA["; foreach (ln; lines) ret ~= indent_string ~ '\t' ~ ln; ret ~= indent_string ~ '\t' ~ "//]]>" ~ indent_string ~ "</script>"; return ret; } static string filterMarkdown(I)(I text) { import vibe.textfilter.markdown : markdown = filterMarkdown; // TODO: indent return markdown(text); } static string filterHtmlescape(I)(I text) { import vibe.textfilter.html : htmlEscape; // TODO: indent return htmlEscape(text); } static this() { filters["css"] = (input, scope output) { output(filterCss(input)); }; filters["javascript"] = (input, scope output) { output(filterJavascript(input)); }; filters["markdown"] = (input, scope output) { output(filterMarkdown(() @trusted { return cast(string)input; } ())); }; filters["htmlescape"] = (input, scope output) { output(filterHtmlescape(input)); }; } static SafeFilterCallback[string] filters; } unittest { static string compile(string diet)() { import std.array : appender; import std.string : strip; import diet.html : compileHTMLDietString; auto dst = appender!string; dst.compileHTMLDietString!(diet, DefaultDietFilters); return strip(cast(string)(dst.data)); } assert(compile!":css .test" == "<style><!--\n\t.test\n--></style>"); assert(compile!":javascript test();" == "<script>\n\t//<![CDATA[\n\ttest();\n\t//]]>\n</script>"); assert(compile!":markdown **test**" == "<p><strong>test</strong>\n</p>"); assert(compile!":htmlescape <test>" == "&lt;test&gt;"); assert(compile!":css !{\".test\"}" == "<style><!--\n\t.test\n--></style>"); assert(compile!":javascript !{\"test();\"}" == "<script>\n\t//<![CDATA[\n\ttest();\n\t//]]>\n</script>"); assert(compile!":markdown !{\"**test**\"}" == "<p><strong>test</strong>\n</p>"); assert(compile!":htmlescape !{\"<test>\"}" == "&lt;test&gt;"); assert(compile!":javascript\n\ttest();" == "<script>\n\t//<![CDATA[\n\ttest();\n\t//]]>\n</script>"); } /** Creates a HTTPServerRequest suitable for writing unit tests. */ HTTPServerRequest createTestHTTPServerRequest(URL url, HTTPMethod method = HTTPMethod.GET, InputStream data = null) @safe { InetHeaderMap headers; return createTestHTTPServerRequest(url, method, headers, data); } /// ditto HTTPServerRequest createTestHTTPServerRequest(URL url, HTTPMethod method, InetHeaderMap headers, InputStream data = null) @safe { auto tls = url.schema == "https"; auto ret = new HTTPServerRequest(Clock.currTime(UTC()), url.port ? url.port : tls ? 443 : 80); ret.requestPath = url.path; ret.queryString = url.queryString; ret.username = url.username; ret.password = url.password; ret.requestURI = url.localURI; ret.method = method; ret.tls = tls; ret.headers = headers; ret.bodyReader = data; return ret; } /** Creates a HTTPServerResponse suitable for writing unit tests. Params: data_sink = Optional output stream that captures the data that gets written to the response session_store = Optional session store to use when sessions are involved data_mode = If set to `TestHTTPResponseMode.bodyOnly`, only the body contents get written to `data_sink`. Otherwise the raw response including the HTTP header is written. */ HTTPServerResponse createTestHTTPServerResponse(OutputStream data_sink = null, SessionStore session_store = null, TestHTTPResponseMode data_mode = TestHTTPResponseMode.plain) @safe { import vibe.stream.wrapper; HTTPServerSettings settings; if (session_store) { settings = new HTTPServerSettings; settings.sessionStore = session_store; } InterfaceProxy!Stream outstr; if (data_sink && data_mode == TestHTTPResponseMode.plain) outstr = createProxyStream(Stream.init, data_sink); else outstr = createProxyStream(Stream.init, nullSink); auto ret = new HTTPServerResponse(outstr, InterfaceProxy!ConnectionStream.init, settings, () @trusted { return vibeThreadAllocator(); } ()); if (data_sink && data_mode == TestHTTPResponseMode.bodyOnly) ret.m_bodyWriter = data_sink; return ret; } /**************************************************************************************************/ /* Public types */ /**************************************************************************************************/ /// Delegate based request handler alias HTTPServerRequestDelegate = void delegate(HTTPServerRequest req, HTTPServerResponse res) @safe; /// Static function based request handler alias HTTPServerRequestFunction = void function(HTTPServerRequest req, HTTPServerResponse res) @safe; /// Interface for class based request handlers interface HTTPServerRequestHandler { /// Handles incoming HTTP requests void handleRequest(HTTPServerRequest req, HTTPServerResponse res) @safe ; } /// Delegate based request handler with scoped parameters alias HTTPServerRequestDelegateS = void delegate(scope HTTPServerRequest req, scope HTTPServerResponse res) @safe; /// Static function based request handler with scoped parameters alias HTTPServerRequestFunctionS = void function(scope HTTPServerRequest req, scope HTTPServerResponse res) @safe; /// Interface for class based request handlers with scoped parameters interface HTTPServerRequestHandlerS { /// Handles incoming HTTP requests void handleRequest(scope HTTPServerRequest req, scope HTTPServerResponse res) @safe; } unittest { static assert(is(HTTPServerRequestDelegateS : HTTPServerRequestDelegate)); static assert(is(HTTPServerRequestFunctionS : HTTPServerRequestFunction)); } /// Aggregates all information about an HTTP error status. final class HTTPServerErrorInfo { /// The HTTP status code int code; /// The error message string message; /// Extended error message with debug information such as a stack trace string debugMessage; /// The error exception, if any Throwable exception; } /// Delegate type used for user defined error page generator callbacks. alias HTTPServerErrorPageHandler = void delegate(HTTPServerRequest req, HTTPServerResponse res, HTTPServerErrorInfo error) @safe; enum TestHTTPResponseMode { plain, bodyOnly } private enum HTTPServerOptionImpl { none = 0, errorStackTraces = 1<<7, reusePort = 1<<8, distribute = 1<<9, // deprecated reuseAddress = 1<<10, defaults = reuseAddress } // TODO: Should be turned back into an enum once the deprecated symbols can be removed /** Specifies optional features of the HTTP server. Disabling unneeded features can speed up the server or reduce its memory usage. Note that the options `parseFormBody`, `parseJsonBody` and `parseMultiPartBody` will also drain the `HTTPServerRequest.bodyReader` stream whenever a request body with form or JSON data is encountered. */ struct HTTPServerOption { static enum none = HTTPServerOptionImpl.none; /** Enables stack traces (`HTTPServerErrorInfo.debugMessage`). Note that generating the stack traces are generally a costly operation that should usually be avoided in production environments. It can also reveal internal information about the application, such as function addresses, which can help an attacker to abuse possible security holes. */ static enum errorStackTraces = HTTPServerOptionImpl.errorStackTraces; /// Enable port reuse in `listenTCP()` static enum reusePort = HTTPServerOptionImpl.reusePort; /// Enable address reuse in `listenTCP()` static enum reuseAddress = HTTPServerOptionImpl.reuseAddress; /** The default set of options. Includes all parsing options, as well as the `errorStackTraces` option if the code is compiled in debug mode. */ static enum defaults = () { HTTPServerOptionImpl ops = HTTPServerOptionImpl.defaults; debug ops |= HTTPServerOptionImpl.errorStackTraces; return ops; } ().HTTPServerOption; deprecated("None has been renamed to none.") static enum None = none; HTTPServerOptionImpl x; alias x this; } /** Contains all settings for configuring a basic HTTP server. The defaults are sufficient for most normal uses. */ final class HTTPServerSettings { /** The port on which the HTTP server is listening. The default value is 80. If you are running a TLS enabled server you may want to set this to 443 instead. Using a value of `0` instructs the server to use any available port on the given `bindAddresses` the actual addresses and ports can then be queried with `TCPListener.bindAddresses`. */ ushort port = 80; /** The interfaces on which the HTTP server is listening. By default, the server will listen on all IPv4 and IPv6 interfaces. */ string[] bindAddresses = ["::", "0.0.0.0"]; /** Determines the server host name. If multiple servers are listening on the same port, the host name will determine which one gets a request. */ string hostName; /** Configures optional features of the HTTP server Disabling unneeded features can improve performance or reduce the server load in case of invalid or unwanted requests (DoS). By default, HTTPServerOption.defaults is used. */ HTTPServerOptionImpl options = HTTPServerOption.defaults; /** Time of a request after which the connection is closed with an error; not supported yet The default limit of 0 means that the request time is not limited. */ Duration maxRequestTime = 0.seconds; /** Maximum time between two request on a keep-alive connection The default value is 10 seconds. */ Duration keepAliveTimeout = 10.seconds; /// Maximum number of transferred bytes per request after which the connection is closed with /// an error ulong maxRequestSize = 2097152; /// Maximum number of transferred bytes for the request header. This includes the request line /// the url and all headers. ulong maxRequestHeaderSize = 8192; /// Sets a custom handler for displaying error pages for HTTP errors @property HTTPServerErrorPageHandler errorPageHandler() @safe { return errorPageHandler_; } /// ditto @property void errorPageHandler(HTTPServerErrorPageHandler del) @safe { errorPageHandler_ = del; } /// Scheduled for deprecation - use a `@safe` callback instead. @property void errorPageHandler(void delegate(HTTPServerRequest, HTTPServerResponse, HTTPServerErrorInfo) @system del) @system { this.errorPageHandler = (req, res, err) @trusted { del(req, res, err); }; } private HTTPServerErrorPageHandler errorPageHandler_ = null; /// If set, a HTTPS server will be started instead of plain HTTP. TLSContext tlsContext; /// Session management is enabled if a session store instance is provided SessionStore sessionStore; string sessionIdCookie = "vibe.session_id"; /// Session options to use when initializing a new session. SessionOption sessionOptions = SessionOption.httpOnly; /// import vibe.core.core : vibeVersionString; string serverString = "vibe.d/" ~ vibeVersionString; /** Specifies the format used for the access log. The log format is given using the Apache server syntax. By default NCSA combined is used. --- "%h - %u %t \"%r\" %s %b \"%{Referer}i\" \"%{User-Agent}i\"" --- */ string accessLogFormat = "%h - %u %t \"%r\" %s %b \"%{Referer}i\" \"%{User-Agent}i\""; /// Spefifies the name of a file to which access log messages are appended. string accessLogFile = ""; /// If set, access log entries will be output to the console. bool accessLogToConsole = false; /** Specifies a custom access logger instance. */ HTTPLogger accessLogger; /// Returns a duplicate of the settings object. @property HTTPServerSettings dup() @safe { auto ret = new HTTPServerSettings; foreach (mem; __traits(allMembers, HTTPServerSettings)) { static if (mem == "sslContext") {} else static if (mem == "bindAddresses") ret.bindAddresses = bindAddresses.dup; else static if (__traits(compiles, __traits(getMember, ret, mem) = __traits(getMember, this, mem))) __traits(getMember, ret, mem) = __traits(getMember, this, mem); } return ret; } /// Disable support for VibeDist and instead start listening immediately. bool disableDistHost = false; /** Responds to "Accept-Encoding" by using compression if possible. Compression can also be manually enabled by setting the "Content-Encoding" header of the HTTP response appropriately before sending the response body. This setting is disabled by default. Also note that there are still some known issues with the GZIP compression code. */ bool useCompressionIfPossible = false; /** Interval between WebSocket ping frames. The default value is 60 seconds; set to Duration.zero to disable pings. */ Duration webSocketPingInterval = 60.seconds; /** Constructs a new settings object with default values. */ this() @safe {} /** Constructs a new settings object with a custom bind interface and/or port. The syntax of `bind_string` is `[<IP address>][:<port>]`, where either of the two parts can be left off. IPv6 addresses must be enclosed in square brackets, as they would within a URL. Throws: An exception is thrown if `bind_string` is malformed. */ this(string bind_string) @safe { this(); if (bind_string.startsWith('[')) { auto idx = bind_string.indexOf(']'); enforce(idx > 0, "Missing closing bracket for IPv6 address."); bindAddresses = [bind_string[1 .. idx]]; bind_string = bind_string[idx+1 .. $]; enforce(bind_string.length == 0 || bind_string.startsWith(':'), "Only a colon may follow the IPv6 address."); } auto idx = bind_string.indexOf(':'); if (idx < 0) { if (bind_string.length > 0) bindAddresses = [bind_string]; } else { if (idx > 0) bindAddresses = [bind_string[0 .. idx]]; port = bind_string[idx+1 .. $].to!ushort; } } /// unittest { auto s = new HTTPServerSettings(":8080"); assert(s.bindAddresses == ["::", "0.0.0.0"]); // default bind addresses assert(s.port == 8080); s = new HTTPServerSettings("123.123.123.123"); assert(s.bindAddresses == ["123.123.123.123"]); assert(s.port == 80); s = new HTTPServerSettings("[::1]:443"); assert(s.bindAddresses == ["::1"]); assert(s.port == 443); } } /** Options altering how sessions are created. Multiple values can be or'ed together. See_Also: HTTPServerResponse.startSession */ enum SessionOption { /// No options. none = 0, /** Instructs the browser to disallow accessing the session ID from JavaScript. See_Also: Cookie.httpOnly */ httpOnly = 1<<0, /** Instructs the browser to disallow sending the session ID over unencrypted connections. By default, the type of the connection on which the session is started will be used to determine if secure or noSecure is used. See_Also: noSecure, Cookie.secure */ secure = 1<<1, /** Instructs the browser to allow sending the session ID over unencrypted connections. By default, the type of the connection on which the session is started will be used to determine if secure or noSecure is used. See_Also: secure, Cookie.secure */ noSecure = 1<<2, /** Instructs the browser to allow sending this cookie along with cross-site requests. By default, the protection is `strict`. This flag allows to set it to `lax`. The strict value will prevent the cookie from being sent by the browser to the target site in all cross-site browsing context, even when following a regular link. */ noSameSiteStrict = 1<<3, } /** Represents a HTTP request as received by the server side. */ final class HTTPServerRequest : HTTPRequest { private { SysTime m_timeCreated; HTTPServerSettings m_settings; ushort m_port; string m_peer; } public { /// The IP address of the client @property string peer() @safe nothrow { if (!m_peer) { version (Have_vibe_core) {} else scope (failure) assert(false); // store the IP address (IPv4 addresses forwarded over IPv6 are stored in IPv4 format) auto peer_address_string = this.clientAddress.toString(); if (peer_address_string.startsWith("::ffff:") && peer_address_string[7 .. $].indexOf(':') < 0) m_peer = peer_address_string[7 .. $]; else m_peer = peer_address_string; } return m_peer; } /// ditto NetworkAddress clientAddress; /// Determines if the request should be logged to the access log file. bool noLog; /// Determines if the request was issued over an TLS encrypted channel. bool tls; /** Information about the TLS certificate provided by the client. Remarks: This field is only set if `tls` is true, and the peer presented a client certificate. */ TLSCertificateInformation clientCertificate; /** Deprecated: The _path part of the URL. Note that this function contains the decoded version of the requested path, which can yield incorrect results if the path contains URL encoded path separators. Use `requestPath` instead to get an encoding-aware representation. */ string path() @safe { if (_path.isNull) { _path = urlDecode(requestPath.toString); } return _path.get; } private Nullable!string _path; /** The path part of the requested URI. */ InetPath requestPath; /** The user name part of the URL, if present. */ string username; /** The _password part of the URL, if present. */ string password; /** The _query string part of the URL. */ string queryString; /** Contains the list of _cookies that are stored on the client. Note that the a single cookie name may occur multiple times if multiple cookies have that name but different paths or domains that all match the request URI. By default, the first cookie will be returned, which is the or one of the cookies with the closest path match. */ @property ref CookieValueMap cookies() @safe { if (_cookies.isNull) { _cookies = CookieValueMap.init; if (auto pv = "cookie" in headers) parseCookies(*pv, _cookies.get); } return _cookies.get; } private Nullable!CookieValueMap _cookies; /** Contains all _form fields supplied using the _query string. The fields are stored in the same order as they are received. */ @property ref FormFields query() @safe { if (_query.isNull) { _query = FormFields.init; parseURLEncodedForm(queryString, _query.get); } return _query.get; } Nullable!FormFields _query; import vibe.utils.dictionarylist; /** A map of general parameters for the request. This map is supposed to be used by middleware functionality to store information for later stages. For example vibe.http.router.URLRouter uses this map to store the value of any named placeholders. */ DictionaryList!(string, true, 8) params; import std.variant : Variant; /** A map of context items for the request. This is especially useful for passing application specific data down the chain of processors along with the request itself. For example, a generic route may be defined to check user login status, if the user is logged in, add a reference to user specific data to the context. This is implemented with `std.variant.Variant` to allow any type of data. */ DictionaryList!(Variant, true, 2) context; /** Supplies the request body as a stream. Note that when certain server options are set (such as HTTPServerOption.parseJsonBody) and a matching request was sent, the returned stream will be empty. If needed, remove those options and do your own processing of the body when launching the server. HTTPServerOption has a list of all options that affect the request body. */ InputStream bodyReader; /** Contains the parsed Json for a JSON request. A JSON request must have the Content-Type "application/json" or "application/vnd.api+json". */ @property ref Json json() @safe { if (_json.isNull) { if (icmp2(contentType, "application/json") == 0 || icmp2(contentType, "application/vnd.api+json") == 0 ) { auto bodyStr = bodyReader.readAllUTF8(); if (!bodyStr.empty) _json = parseJson(bodyStr); else _json = Json.undefined; } else { _json = Json.undefined; } } return _json.get; } private Nullable!Json _json; /** Contains the parsed parameters of a HTML POST _form request. The fields are stored in the same order as they are received. Remarks: A form request must either have the Content-Type "application/x-www-form-urlencoded" or "multipart/form-data". */ @property ref FormFields form() @safe { if (_form.isNull) parseFormAndFiles(); return _form.get; } private Nullable!FormFields _form; private void parseFormAndFiles() @safe { _form = FormFields.init; parseFormData(_form.get, _files, headers.get("Content-Type", ""), bodyReader, MaxHTTPHeaderLineLength); } /** Contains information about any uploaded file for a HTML _form request. */ @property ref FilePartFormFields files() @safe { // _form and _files are parsed in one step if (_form.isNull) { parseFormAndFiles(); assert(!_form.isNull); } return _files; } private FilePartFormFields _files; /** The current Session object. This field is set if HTTPServerResponse.startSession() has been called on a previous response and if the client has sent back the matching cookie. Remarks: Requires the HTTPServerOption.parseCookies option. */ Session session; } package { /** The settings of the server serving this request. */ @property const(HTTPServerSettings) serverSettings() const @safe { return m_settings; } } this(SysTime time, ushort port) @safe { m_timeCreated = time.toUTC(); m_port = port; } /** Time when this request started processing. */ @property SysTime timeCreated() const @safe { return m_timeCreated; } /** The full URL that corresponds to this request. The host URL includes the protocol, host and optionally the user and password that was used for this request. This field is useful to construct self referencing URLs. Note that the port is currently not set, so that this only works if the standard port is used. */ @property URL fullURL() const @safe { URL url; auto xfh = this.headers.get("X-Forwarded-Host"); auto xfp = this.headers.get("X-Forwarded-Port"); auto xfpr = this.headers.get("X-Forwarded-Proto"); // Set URL host segment. if (xfh.length) { url.host = xfh; } else if (!this.host.empty) { url.host = this.host; } else if (!m_settings.hostName.empty) { url.host = m_settings.hostName; } else { url.host = m_settings.bindAddresses[0]; } // Set URL schema segment. if (xfpr.length) { url.schema = xfpr; } else if (this.tls) { url.schema = "https"; } else { url.schema = "http"; } // Set URL port segment. if (xfp.length) { try { url.port = xfp.to!ushort; } catch (ConvException) { // TODO : Consider responding with a 400/etc. error from here. logWarn("X-Forwarded-Port header was not valid port (%s)", xfp); } } else if (!xfh) { if (url.schema == "https") { if (m_port != 443U) url.port = m_port; } else { if (m_port != 80U) url.port = m_port; } } if (url.host.startsWith('[')) { // handle IPv6 address auto idx = url.host.indexOf(']'); if (idx >= 0 && idx+1 < url.host.length && url.host[idx+1] == ':') url.host = url.host[1 .. idx]; } else { // handle normal host names or IPv4 address auto idx = url.host.indexOf(':'); if (idx >= 0) url.host = url.host[0 .. idx]; } url.username = this.username; url.password = this.password; url.localURI = this.requestURI; return url; } /** The relative path to the root folder. Using this function instead of absolute URLs for embedded links can be useful to avoid dead link when the site is piped through a reverse-proxy. The returned string always ends with a slash. */ @property string rootDir() const @safe { import std.algorithm.searching : count; auto depth = requestPath.bySegment.count!(s => s.name.length > 0); if (depth > 0 && !requestPath.endsWithSlash) depth--; return depth == 0 ? "./" : replicate("../", depth); } unittest { assert(createTestHTTPServerRequest(URL("http://localhost/")).rootDir == "./"); assert(createTestHTTPServerRequest(URL("http://localhost/foo")).rootDir == "./"); assert(createTestHTTPServerRequest(URL("http://localhost/foo/")).rootDir == "../"); assert(createTestHTTPServerRequest(URL("http://localhost/foo/bar")).rootDir == "../"); assert(createTestHTTPServerRequest(URL("http://localhost")).rootDir == "./"); } } /** Represents a HTTP response as sent from the server side. */ final class HTTPServerResponse : HTTPResponse { private { InterfaceProxy!Stream m_conn; InterfaceProxy!ConnectionStream m_rawConnection; InterfaceProxy!OutputStream m_bodyWriter; IAllocator m_requestAlloc; FreeListRef!ChunkedOutputStream m_chunkedBodyWriter; FreeListRef!CountingOutputStream m_countingWriter; FreeListRef!ZlibOutputStream m_zlibOutputStream; HTTPServerSettings m_settings; Session m_session; bool m_headerWritten = false; bool m_isHeadResponse = false; bool m_tls; bool m_requiresConnectionClose; SysTime m_timeFinalized; } static if (!is(Stream == InterfaceProxy!Stream)) { this(Stream conn, ConnectionStream raw_connection, HTTPServerSettings settings, IAllocator req_alloc) @safe { this(InterfaceProxy!Stream(conn), InterfaceProxy!ConnectionStream(raw_connection), settings, req_alloc); } } this(InterfaceProxy!Stream conn, InterfaceProxy!ConnectionStream raw_connection, HTTPServerSettings settings, IAllocator req_alloc) @safe { m_conn = conn; m_rawConnection = raw_connection; m_countingWriter = createCountingOutputStreamFL(conn); m_settings = settings; m_requestAlloc = req_alloc; } /** Returns the time at which the request was finalized. Note that this field will only be set after `finalize` has been called. */ @property SysTime timeFinalized() const @safe { return m_timeFinalized; } /** Determines if the HTTP header has already been written. */ @property bool headerWritten() const @safe { return m_headerWritten; } /** Determines if the response does not need a body. */ bool isHeadResponse() const @safe { return m_isHeadResponse; } /** Determines if the response is sent over an encrypted connection. */ bool tls() const @safe { return m_tls; } /** Writes the entire response body at once. Params: data = The data to write as the body contents status = Optional response status code to set content_type = Optional content type to apply to the response. If no content type is given and no "Content-Type" header is set in the response, this will default to `"application/octet-stream"`. See_Also: `HTTPStatusCode` */ void writeBody(in ubyte[] data, string content_type = null) @safe { if (content_type.length) headers["Content-Type"] = content_type; else if ("Content-Type" !in headers) headers["Content-Type"] = "application/octet-stream"; headers["Content-Length"] = formatAlloc(m_requestAlloc, "%d", data.length); bodyWriter.write(data); } /// ditto void writeBody(in ubyte[] data, int status, string content_type = null) @safe { statusCode = status; writeBody(data, content_type); } /// ditto void writeBody(scope InputStream data, string content_type = null) @safe { if (content_type.length) headers["Content-Type"] = content_type; else if ("Content-Type" !in headers) headers["Content-Type"] = "application/octet-stream"; data.pipe(bodyWriter); } /** Writes the entire response body as a single string. Params: data = The string to write as the body contents status = Optional response status code to set content_type = Optional content type to apply to the response. If no content type is given and no "Content-Type" header is set in the response, this will default to `"text/plain; charset=UTF-8"`. See_Also: `HTTPStatusCode` */ /// ditto void writeBody(string data, string content_type = null) @safe { if (!content_type.length && "Content-Type" !in headers) content_type = "text/plain; charset=UTF-8"; writeBody(cast(const(ubyte)[])data, content_type); } /// ditto void writeBody(string data, int status, string content_type = null) @safe { statusCode = status; writeBody(data, content_type); } /** Writes the whole response body at once, without doing any further encoding. The caller has to make sure that the appropriate headers are set correctly (i.e. Content-Type and Content-Encoding). Note that the version taking a RandomAccessStream may perform additional optimizations such as sending a file directly from the disk to the network card using a DMA transfer. */ void writeRawBody(RandomAccessStream)(RandomAccessStream stream) @safe if (isRandomAccessStream!RandomAccessStream) { assert(!m_headerWritten, "A body was already written!"); writeHeader(); if (m_isHeadResponse) return; auto bytes = stream.size - stream.tell(); stream.pipe(m_conn); m_countingWriter.increment(bytes); } /// ditto void writeRawBody(InputStream)(InputStream stream, size_t num_bytes = 0) @safe if (isInputStream!InputStream && !isRandomAccessStream!InputStream) { assert(!m_headerWritten, "A body was already written!"); writeHeader(); if (m_isHeadResponse) return; if (num_bytes > 0) { stream.pipe(m_conn, num_bytes); m_countingWriter.increment(num_bytes); } else stream.pipe(m_countingWriter, num_bytes); } /// ditto void writeRawBody(RandomAccessStream)(RandomAccessStream stream, int status) @safe if (isRandomAccessStream!RandomAccessStream) { statusCode = status; writeRawBody(stream); } /// ditto void writeRawBody(InputStream)(InputStream stream, int status, size_t num_bytes = 0) @safe if (isInputStream!InputStream && !isRandomAccessStream!InputStream) { statusCode = status; writeRawBody(stream, num_bytes); } /// Writes a JSON message with the specified status void writeJsonBody(T)(T data, int status, bool allow_chunked = false) { statusCode = status; writeJsonBody(data, allow_chunked); } /// ditto void writeJsonBody(T)(T data, int status, string content_type, bool allow_chunked = false) { statusCode = status; writeJsonBody(data, content_type, allow_chunked); } /// ditto void writeJsonBody(T)(T data, string content_type, bool allow_chunked = false) { headers["Content-Type"] = content_type; writeJsonBody(data, allow_chunked); } /// ditto void writeJsonBody(T)(T data, bool allow_chunked = false) { doWriteJsonBody!(T, false)(data, allow_chunked); } /// ditto void writePrettyJsonBody(T)(T data, bool allow_chunked = false) { doWriteJsonBody!(T, true)(data, allow_chunked); } private void doWriteJsonBody(T, bool PRETTY)(T data, bool allow_chunked = false) { import std.traits; import vibe.stream.wrapper; static if (!is(T == Json) && is(typeof(data.data())) && isArray!(typeof(data.data()))) { static assert(!is(T == Appender!(typeof(data.data()))), "Passed an Appender!T to writeJsonBody - this is most probably not doing what's indended."); } if ("Content-Type" !in headers) headers["Content-Type"] = "application/json; charset=UTF-8"; // set an explicit content-length field if chunked encoding is not allowed if (!allow_chunked) { import vibe.internal.rangeutil; long length = 0; auto counter = RangeCounter(() @trusted { return &length; } ()); static if (PRETTY) serializeToPrettyJson(counter, data); else serializeToJson(counter, data); headers["Content-Length"] = formatAlloc(m_requestAlloc, "%d", length); } auto rng = streamOutputRange!1024(bodyWriter); static if (PRETTY) serializeToPrettyJson(() @trusted { return &rng; } (), data); else serializeToJson(() @trusted { return &rng; } (), data); } /** * Writes the response with no body. * * This method should be used in situations where no body is * requested, such as a HEAD request. For an empty body, just use writeBody, * as this method causes problems with some keep-alive connections. */ void writeVoidBody() @safe { if (!m_isHeadResponse) { assert("Content-Length" !in headers); assert("Transfer-Encoding" !in headers); } assert(!headerWritten); writeHeader(); m_conn.flush(); } /** A stream for writing the body of the HTTP response. Note that after 'bodyWriter' has been accessed for the first time, it is not allowed to change any header or the status code of the response. */ @property InterfaceProxy!OutputStream bodyWriter() @safe { assert(!!m_conn); if (m_bodyWriter) return m_bodyWriter; assert(!m_headerWritten, "A void body was already written!"); assert(this.statusCode >= 200, "1xx responses can't have body"); if (m_isHeadResponse) { // for HEAD requests, we define a NullOutputWriter for convenience // - no body will be written. However, the request handler should call writeVoidBody() // and skip writing of the body in this case. if ("Content-Length" !in headers) headers["Transfer-Encoding"] = "chunked"; writeHeader(); m_bodyWriter = nullSink; return m_bodyWriter; } if ("Content-Encoding" in headers && "Content-Length" in headers) { // we do not known how large the compressed body will be in advance // so remove the content-length and use chunked transfer headers.remove("Content-Length"); } if (auto pcl = "Content-Length" in headers) { writeHeader(); m_countingWriter.writeLimit = (*pcl).to!ulong; m_bodyWriter = m_countingWriter; } else if (httpVersion <= HTTPVersion.HTTP_1_0) { if ("Connection" in headers) headers.remove("Connection"); // default to "close" writeHeader(); m_bodyWriter = m_conn; } else { headers["Transfer-Encoding"] = "chunked"; writeHeader(); m_chunkedBodyWriter = createChunkedOutputStreamFL(m_countingWriter); m_bodyWriter = m_chunkedBodyWriter; } if (auto pce = "Content-Encoding" in headers) { if (icmp2(*pce, "gzip") == 0) { m_zlibOutputStream = createGzipOutputStreamFL(m_bodyWriter); m_bodyWriter = m_zlibOutputStream; } else if (icmp2(*pce, "deflate") == 0) { m_zlibOutputStream = createDeflateOutputStreamFL(m_bodyWriter); m_bodyWriter = m_zlibOutputStream; } else { logWarn("Unsupported Content-Encoding set in response: '"~*pce~"'"); } } return m_bodyWriter; } /** Sends a redirect request to the client. Params: url = The URL to redirect to status = The HTTP redirect status (3xx) to send - by default this is $(D HTTPStatus.found) */ void redirect(string url, int status = HTTPStatus.Found) @safe { // Disallow any characters that may influence the header parsing enforce(!url.representation.canFind!(ch => ch < 0x20), "Control character in redirection URL."); statusCode = status; headers["Location"] = url; writeBody("redirecting..."); } /// ditto void redirect(URL url, int status = HTTPStatus.Found) @safe { redirect(url.toString(), status); } /// @safe unittest { import vibe.http.router; void request_handler(HTTPServerRequest req, HTTPServerResponse res) { res.redirect("http://example.org/some_other_url"); } void test() { auto router = new URLRouter; router.get("/old_url", &request_handler); listenHTTP(new HTTPServerSettings, router); } } /** Special method sending a SWITCHING_PROTOCOLS response to the client. Notice: For the overload that returns a `ConnectionStream`, it must be ensured that the returned instance doesn't outlive the request handler callback. Params: protocol = The protocol set in the "Upgrade" header of the response. Use an empty string to skip setting this field. */ ConnectionStream switchProtocol(string protocol) @safe { statusCode = HTTPStatus.SwitchingProtocols; if (protocol.length) headers["Upgrade"] = protocol; writeVoidBody(); m_requiresConnectionClose = true; m_headerWritten = true; return createConnectionProxyStream(m_conn, m_rawConnection); } /// ditto void switchProtocol(string protocol, scope void delegate(scope ConnectionStream) @safe del) @safe { statusCode = HTTPStatus.SwitchingProtocols; if (protocol.length) headers["Upgrade"] = protocol; writeVoidBody(); m_requiresConnectionClose = true; m_headerWritten = true; () @trusted { auto conn = createConnectionProxyStreamFL(m_conn, m_rawConnection); del(conn); } (); finalize(); } /** Special method for handling CONNECT proxy tunnel Notice: For the overload that returns a `ConnectionStream`, it must be ensured that the returned instance doesn't outlive the request handler callback. */ ConnectionStream connectProxy() @safe { return createConnectionProxyStream(m_conn, m_rawConnection); } /// ditto void connectProxy(scope void delegate(scope ConnectionStream) @safe del) @safe { () @trusted { auto conn = createConnectionProxyStreamFL(m_conn, m_rawConnection); del(conn); } (); finalize(); } /** Sets the specified cookie value. Params: name = Name of the cookie value = New cookie value - pass null to clear the cookie path = Path (as seen by the client) of the directory tree in which the cookie is visible encoding = Optional encoding (url, raw), default to URL encoding */ Cookie setCookie(string name, string value, string path = "/", Cookie.Encoding encoding = Cookie.Encoding.url) @safe { auto cookie = new Cookie(); cookie.path = path; cookie.setValue(value, encoding); if (value is null) { cookie.maxAge = 0; cookie.expires = "Thu, 01 Jan 1970 00:00:00 GMT"; } cookies[name] = cookie; return cookie; } /** Initiates a new session. The session is stored in the SessionStore that was specified when creating the server. Depending on this, the session can be persistent or temporary and specific to this server instance. */ Session startSession(string path = "/") @safe { return startSession(path, m_settings.sessionOptions); } /// ditto Session startSession(string path, SessionOption options) @safe { assert(m_settings.sessionStore, "no session store set"); assert(!m_session, "Try to start a session, but already started one."); bool secure; if (options & SessionOption.secure) secure = true; else if (options & SessionOption.noSecure) secure = false; else secure = this.tls; m_session = m_settings.sessionStore.create(); m_session.set("$sessionCookiePath", path); m_session.set("$sessionCookieSecure", secure); auto cookie = setCookie(m_settings.sessionIdCookie, m_session.id, path); cookie.secure = secure; cookie.httpOnly = (options & SessionOption.httpOnly) != 0; cookie.sameSite = (options & SessionOption.noSameSiteStrict) ? Cookie.SameSite.lax : Cookie.SameSite.strict; return m_session; } /** Terminates the current session (if any). */ void terminateSession() @safe { if (!m_session) return; auto cookie = setCookie(m_settings.sessionIdCookie, null, m_session.get!string("$sessionCookiePath")); cookie.secure = m_session.get!bool("$sessionCookieSecure"); m_session.destroy(); m_session = Session.init; } @property ulong bytesWritten() @safe const { return m_countingWriter.bytesWritten; } /** Waits until either the connection closes, data arrives, or until the given timeout is reached. Returns: $(D true) if the connection was closed and $(D false) if either the timeout was reached, or if data has arrived for consumption. See_Also: `connected` */ bool waitForConnectionClose(Duration timeout = Duration.max) @safe { if (!m_rawConnection || !m_rawConnection.connected) return true; m_rawConnection.waitForData(timeout); return !m_rawConnection.connected; } /** Determines if the underlying connection is still alive. Returns $(D true) if the remote peer is still connected and $(D false) if the remote peer closed the connection. See_Also: `waitForConnectionClose` */ @property bool connected() @safe const { if (!m_rawConnection) return false; return m_rawConnection.connected; } /** Finalizes the response. This is usually called automatically by the server. This method can be called manually after writing the response to force all network traffic associated with the current request to be finalized. After the call returns, the `timeFinalized` property will be set. */ void finalize() @safe { if (m_zlibOutputStream) { m_zlibOutputStream.finalize(); m_zlibOutputStream.destroy(); } if (m_chunkedBodyWriter) { m_chunkedBodyWriter.finalize(); m_chunkedBodyWriter.destroy(); } // ignore exceptions caused by an already closed connection - the client // may have closed the connection already and this doesn't usually indicate // a problem. if (m_rawConnection && m_rawConnection.connected) { try if (m_conn) m_conn.flush(); catch (Exception e) logDebug("Failed to flush connection after finishing HTTP response: %s", e.msg); if (!isHeadResponse && bytesWritten < headers.get("Content-Length", "0").to!long) { logDebug("HTTP response only written partially before finalization. Terminating connection."); m_requiresConnectionClose = true; } m_rawConnection = InterfaceProxy!ConnectionStream.init; } if (m_conn) { m_conn = InterfaceProxy!Stream.init; m_timeFinalized = Clock.currTime(UTC()); } } private void writeHeader() @safe { import vibe.stream.wrapper; assert(!m_bodyWriter && !m_headerWritten, "Try to write header after body has already begun."); assert(this.httpVersion != HTTPVersion.HTTP_1_0 || this.statusCode >= 200, "Informational status codes aren't supported by HTTP/1.0."); // Don't set m_headerWritten for 1xx status codes if (this.statusCode >= 200) m_headerWritten = true; auto dst = streamOutputRange!1024(m_conn); void writeLine(T...)(string fmt, T args) @safe { formattedWrite(() @trusted { return &dst; } (), fmt, args); dst.put("\r\n"); logTrace(fmt, args); } logTrace("---------------------"); logTrace("HTTP server response:"); logTrace("---------------------"); // write the status line writeLine("%s %d %s", getHTTPVersionString(this.httpVersion), this.statusCode, this.statusPhrase.length ? this.statusPhrase : httpStatusText(this.statusCode)); // write all normal headers foreach (k, v; this.headers.byKeyValue) { dst.put(k); dst.put(": "); dst.put(v); dst.put("\r\n"); logTrace("%s: %s", k, v); } logTrace("---------------------"); // write cookies foreach (n, cookie; this.cookies.byKeyValue) { dst.put("Set-Cookie: "); cookie.writeString(() @trusted { return &dst; } (), n); dst.put("\r\n"); } // finalize response header dst.put("\r\n"); } } /** Represents the request listener for a specific `listenHTTP` call. This struct can be used to stop listening for HTTP requests at runtime. */ struct HTTPListener { private { size_t[] m_virtualHostIDs; } private this(size_t[] ids) @safe { m_virtualHostIDs = ids; } @property NetworkAddress[] bindAddresses() { NetworkAddress[] ret; foreach (l; s_listeners) if (l.m_virtualHosts.canFind!(v => m_virtualHostIDs.canFind(v.id))) { NetworkAddress a; a = resolveHost(l.bindAddress); a.port = l.bindPort; ret ~= a; } return ret; } /** Stops handling HTTP requests and closes the TCP listening port if possible. */ void stopListening() @safe { import std.algorithm : countUntil; foreach (vhid; m_virtualHostIDs) { foreach (lidx, l; s_listeners) { if (l.removeVirtualHost(vhid)) { if (!l.hasVirtualHosts) { l.m_listener.stopListening(); logInfo("Stopped to listen for HTTP%s requests on %s:%s", l.tlsContext ? "S": "", l.bindAddress, l.bindPort); s_listeners = s_listeners[0 .. lidx] ~ s_listeners[lidx+1 .. $]; } } break; } } } } /** Represents a single HTTP server port. This class defines the incoming interface, port, and TLS configuration of the public server port. The public server port may differ from the local one if a reverse proxy of some kind is facing the public internet and forwards to this HTTP server. Multiple virtual hosts can be configured to be served from the same port. Their TLS settings must be compatible and each virtual host must have a unique name. */ final class HTTPServerContext { private struct VirtualHost { HTTPServerRequestDelegate requestHandler; HTTPServerSettings settings; HTTPLogger[] loggers; size_t id; } private { TCPListener m_listener; VirtualHost[] m_virtualHosts; string m_bindAddress; ushort m_bindPort; TLSContext m_tlsContext; static size_t s_vhostIDCounter = 1; } @safe: this(string bind_address, ushort bind_port) { m_bindAddress = bind_address; m_bindPort = bind_port; } /** Returns the TLS context associated with the listener. For non-HTTPS listeners, `null` will be returned. Otherwise, if only a single virtual host has been added, the TLS context of that host's settings is returned. For multiple virtual hosts, an SNI context is returned, which forwards to the individual contexts based on the requested host name. */ @property TLSContext tlsContext() { return m_tlsContext; } /// The local network interface IP address associated with this listener @property string bindAddress() const { return m_bindAddress; } /// The local port associated with this listener @property ushort bindPort() const { return m_bindPort; } /// Determines if any virtual hosts have been addded @property bool hasVirtualHosts() const { return m_virtualHosts.length > 0; } /** Adds a single virtual host. Note that the port and bind address defined in `settings` must match the ones for this listener. The `settings.host` field must be unique for all virtual hosts. Returns: Returns a unique ID for the new virtual host */ size_t addVirtualHost(HTTPServerSettings settings, HTTPServerRequestDelegate request_handler) { assert(settings.port == 0 || settings.port == m_bindPort, "Virtual host settings do not match bind port."); assert(settings.bindAddresses.canFind(m_bindAddress), "Virtual host settings do not match bind address."); VirtualHost vhost; vhost.id = s_vhostIDCounter++; vhost.settings = settings; vhost.requestHandler = request_handler; if (settings.accessLogger) vhost.loggers ~= settings.accessLogger; if (settings.accessLogToConsole) vhost.loggers ~= new HTTPConsoleLogger(settings, settings.accessLogFormat); if (settings.accessLogFile.length) vhost.loggers ~= new HTTPFileLogger(settings, settings.accessLogFormat, settings.accessLogFile); if (!m_virtualHosts.length) m_tlsContext = settings.tlsContext; enforce((m_tlsContext !is null) == (settings.tlsContext !is null), "Cannot mix HTTP and HTTPS virtual hosts within the same listener."); if (m_tlsContext) addSNIHost(settings); m_virtualHosts ~= vhost; if (settings.hostName.length) { auto proto = settings.tlsContext ? "https" : "http"; auto port = settings.tlsContext && settings.port == 443 || !settings.tlsContext && settings.port == 80 ? "" : ":" ~ settings.port.to!string; logInfo("Added virtual host %s://%s:%s/ (%s)", proto, settings.hostName, m_bindPort, m_bindAddress); } return vhost.id; } /// Removes a previously added virtual host using its ID. bool removeVirtualHost(size_t id) { import std.algorithm.searching : countUntil; auto idx = m_virtualHosts.countUntil!(c => c.id == id); if (idx < 0) return false; auto ctx = m_virtualHosts[idx]; m_virtualHosts = m_virtualHosts[0 .. idx] ~ m_virtualHosts[idx+1 .. $]; return true; } private void addSNIHost(HTTPServerSettings settings) { if (settings.tlsContext !is m_tlsContext && m_tlsContext.kind != TLSContextKind.serverSNI) { logDebug("Create SNI TLS context for %s, port %s", bindAddress, bindPort); m_tlsContext = createTLSContext(TLSContextKind.serverSNI); m_tlsContext.sniCallback = &onSNI; } foreach (ctx; m_virtualHosts) { /*enforce(ctx.settings.hostName != settings.hostName, "A server with the host name '"~settings.hostName~"' is already " "listening on "~addr~":"~to!string(settings.port)~".");*/ } } private TLSContext onSNI(string servername) { foreach (vhost; m_virtualHosts) if (vhost.settings.hostName.icmp(servername) == 0) { logDebug("Found context for SNI host '%s'.", servername); return vhost.settings.tlsContext; } logDebug("No context found for SNI host '%s'.", servername); return null; } } /**************************************************************************************************/ /* Private types */ /**************************************************************************************************/ private enum MaxHTTPHeaderLineLength = 4096; private final class LimitedHTTPInputStream : LimitedInputStream { @safe: this(InterfaceProxy!InputStream stream, ulong byte_limit, bool silent_limit = false) { super(stream, byte_limit, silent_limit, true); } override void onSizeLimitReached() { throw new HTTPStatusException(HTTPStatus.requestEntityTooLarge); } } private final class TimeoutHTTPInputStream : InputStream { @safe: private { long m_timeref; long m_timeleft; InterfaceProxy!InputStream m_in; } this(InterfaceProxy!InputStream stream, Duration timeleft, SysTime reftime) { enforce(timeleft > 0.seconds, "Timeout required"); m_in = stream; m_timeleft = timeleft.total!"hnsecs"(); m_timeref = reftime.stdTime(); } @property bool empty() { enforce(m_in, "InputStream missing"); return m_in.empty(); } @property ulong leastSize() { enforce(m_in, "InputStream missing"); return m_in.leastSize(); } @property bool dataAvailableForRead() { enforce(m_in, "InputStream missing"); return m_in.dataAvailableForRead; } const(ubyte)[] peek() { return m_in.peek(); } size_t read(scope ubyte[] dst, IOMode mode) { enforce(m_in, "InputStream missing"); size_t nread = 0; checkTimeout(); // FIXME: this should use ConnectionStream.waitForData to enforce the timeout during the // read operation return m_in.read(dst, mode); } alias read = InputStream.read; private void checkTimeout() @safe { auto curr = Clock.currStdTime(); auto diff = curr - m_timeref; if (diff > m_timeleft) throw new HTTPStatusException(HTTPStatus.RequestTimeout); m_timeleft -= diff; m_timeref = curr; } } /**************************************************************************************************/ /* Private functions */ /**************************************************************************************************/ private { import core.sync.mutex; shared string s_distHost; shared ushort s_distPort = 11000; HTTPServerContext[] s_listeners; } /** [private] Starts a HTTP server listening on the specified port. This is the same as listenHTTP() except that it does not use a VibeDist host for remote listening, even if specified on the command line. */ private HTTPListener listenHTTPPlain(HTTPServerSettings settings, HTTPServerRequestDelegate request_handler) @safe { import vibe.core.core : runWorkerTaskDist; import std.algorithm : canFind, find; static TCPListener doListen(HTTPServerContext listen_info, bool dist, bool reusePort, bool reuseAddress, bool is_tls) @safe { try { TCPListenOptions options = TCPListenOptions.defaults; if(reuseAddress) options |= TCPListenOptions.reuseAddress; else options &= ~TCPListenOptions.reuseAddress; if(reusePort) options |= TCPListenOptions.reusePort; else options &= ~TCPListenOptions.reusePort; auto ret = listenTCP(listen_info.bindPort, (TCPConnection conn) nothrow @safe { try handleHTTPConnection(conn, listen_info); catch (Exception e) { logError("HTTP connection handler has thrown: %s", e.msg); debug logDebug("Full error: %s", () @trusted { return e.toString().sanitize(); } ()); try conn.close(); catch (Exception e) logError("Failed to close connection: %s", e.msg); } }, listen_info.bindAddress, options); // support port 0 meaning any available port if (listen_info.bindPort == 0) listen_info.m_bindPort = ret.bindAddress.port; auto proto = is_tls ? "https" : "http"; auto urladdr = listen_info.bindAddress; if (urladdr.canFind(':')) urladdr = "["~urladdr~"]"; logInfo("Listening for requests on %s://%s:%s/", proto, urladdr, listen_info.bindPort); return ret; } catch( Exception e ) { logWarn("Failed to listen on %s:%s", listen_info.bindAddress, listen_info.bindPort); return TCPListener.init; } } size_t[] vid; // Check for every bind address/port, if a new listening socket needs to be created and // check for conflicting servers foreach (addr; settings.bindAddresses) { HTTPServerContext linfo; auto l = s_listeners.find!(l => l.bindAddress == addr && l.bindPort == settings.port); if (!l.empty) linfo = l.front; else { auto li = new HTTPServerContext(addr, settings.port); if (auto tcp_lst = doListen(li, (settings.options & HTTPServerOptionImpl.distribute) != 0, (settings.options & HTTPServerOption.reusePort) != 0, (settings.options & HTTPServerOption.reuseAddress) != 0, settings.tlsContext !is null)) // DMD BUG 2043 { li.m_listener = tcp_lst; s_listeners ~= li; linfo = li; } } if (linfo) vid ~= linfo.addVirtualHost(settings, request_handler); } enforce(vid.length > 0, "Failed to listen for incoming HTTP connections on any of the supplied interfaces."); return HTTPListener(vid); } private alias TLSStreamType = ReturnType!(createTLSStreamFL!(InterfaceProxy!Stream)); private bool handleRequest(InterfaceProxy!Stream http_stream, TCPConnection tcp_connection, HTTPServerContext listen_info, ref HTTPServerSettings settings, ref bool keep_alive, scope IAllocator request_allocator) @safe { import std.algorithm.searching : canFind; SysTime reqtime = Clock.currTime(UTC()); // some instances that live only while the request is running FreeListRef!HTTPServerRequest req = FreeListRef!HTTPServerRequest(reqtime, listen_info.bindPort); FreeListRef!TimeoutHTTPInputStream timeout_http_input_stream; FreeListRef!LimitedHTTPInputStream limited_http_input_stream; FreeListRef!ChunkedInputStream chunked_input_stream; // store the IP address req.clientAddress = tcp_connection.remoteAddress; if (!listen_info.hasVirtualHosts) { logWarn("Didn't find a HTTP listening context for incoming connection. Dropping."); keep_alive = false; return false; } // Default to the first virtual host for this listener HTTPServerContext.VirtualHost context = listen_info.m_virtualHosts[0]; HTTPServerRequestDelegate request_task = context.requestHandler; settings = context.settings; // temporarily set to the default settings, the virtual host specific settings will be set further down req.m_settings = settings; // Create the response object InterfaceProxy!ConnectionStream cproxy = tcp_connection; auto res = FreeListRef!HTTPServerResponse(http_stream, cproxy, settings, request_allocator/*.Scoped_payload*/); req.tls = res.m_tls = listen_info.tlsContext !is null; if (req.tls) { version (HaveNoTLS) assert(false); else { static if (is(InterfaceProxy!ConnectionStream == ConnectionStream)) req.clientCertificate = (cast(TLSStream)http_stream).peerCertificate; else req.clientCertificate = http_stream.extract!TLSStreamType.peerCertificate; } } // Error page handler void errorOut(int code, string msg, string debug_msg, Throwable ex) @safe { assert(!res.headerWritten); res.statusCode = code; if (settings && settings.errorPageHandler) { /*scope*/ auto err = new HTTPServerErrorInfo; err.code = code; err.message = msg; err.debugMessage = debug_msg; err.exception = ex; settings.errorPageHandler_(req, res, err); } else { if (debug_msg.length) res.writeBody(format("%s - %s\n\n%s\n\nInternal error information:\n%s", code, httpStatusText(code), msg, debug_msg)); else res.writeBody(format("%s - %s\n\n%s", code, httpStatusText(code), msg)); } assert(res.headerWritten); } bool parsed = false; /*bool*/ keep_alive = false; // parse the request try { logTrace("reading request.."); // limit the total request time InterfaceProxy!InputStream reqReader = http_stream; if (settings.maxRequestTime > dur!"seconds"(0) && settings.maxRequestTime != Duration.max) { timeout_http_input_stream = FreeListRef!TimeoutHTTPInputStream(reqReader, settings.maxRequestTime, reqtime); reqReader = timeout_http_input_stream; } // basic request parsing parseRequestHeader(req, reqReader, request_allocator, settings.maxRequestHeaderSize); logTrace("Got request header."); // find the matching virtual host string reqhost; ushort reqport = 0; { string s = req.host; enforceHTTP(s.length > 0 || req.httpVersion <= HTTPVersion.HTTP_1_0, HTTPStatus.badRequest, "Missing Host header."); if (s.startsWith('[')) { // IPv6 address auto idx = s.indexOf(']'); enforce(idx > 0, "Missing closing ']' for IPv6 address."); reqhost = s[1 .. idx]; s = s[idx+1 .. $]; } else if (s.length) { // host name or IPv4 address auto idx = s.indexOf(':'); if (idx < 0) idx = s.length; enforceHTTP(idx > 0, HTTPStatus.badRequest, "Missing Host header."); reqhost = s[0 .. idx]; s = s[idx .. $]; } if (s.startsWith(':')) reqport = s[1 .. $].to!ushort; } foreach (ctx; listen_info.m_virtualHosts) if (icmp2(ctx.settings.hostName, reqhost) == 0 && (!reqport || reqport == ctx.settings.port)) { context = ctx; settings = ctx.settings; request_task = ctx.requestHandler; break; } req.m_settings = settings; res.m_settings = settings; // setup compressed output if (settings.useCompressionIfPossible) { if (auto pae = "Accept-Encoding" in req.headers) { if (canFind(*pae, "gzip")) { res.headers["Content-Encoding"] = "gzip"; } else if (canFind(*pae, "deflate")) { res.headers["Content-Encoding"] = "deflate"; } } } // limit request size if (auto pcl = "Content-Length" in req.headers) { string v = *pcl; auto contentLength = parse!ulong(v); // DMDBUG: to! thinks there is a H in the string enforceBadRequest(v.length == 0, "Invalid content-length"); enforceBadRequest(settings.maxRequestSize <= 0 || contentLength <= settings.maxRequestSize, "Request size too big"); limited_http_input_stream = FreeListRef!LimitedHTTPInputStream(reqReader, contentLength); } else if (auto pt = "Transfer-Encoding" in req.headers) { enforceBadRequest(icmp(*pt, "chunked") == 0); chunked_input_stream = createChunkedInputStreamFL(reqReader); InterfaceProxy!InputStream ciproxy = chunked_input_stream; limited_http_input_stream = FreeListRef!LimitedHTTPInputStream(ciproxy, settings.maxRequestSize, true); } else { limited_http_input_stream = FreeListRef!LimitedHTTPInputStream(reqReader, 0); } req.bodyReader = limited_http_input_stream; // handle Expect header if (auto pv = "Expect" in req.headers) { if (icmp2(*pv, "100-continue") == 0) { logTrace("sending 100 continue"); http_stream.write("HTTP/1.1 100 Continue\r\n\r\n"); } } // eagerly parse the URL as its lightweight and defacto @nogc auto url = URL.parse(req.requestURI); req.queryString = url.queryString; req.username = url.username; req.password = url.password; req.requestPath = url.path; // lookup the session if (settings.sessionStore) { // use the first cookie that contains a valid session ID in case // of multiple matching session cookies foreach (val; req.cookies.getAll(settings.sessionIdCookie)) { req.session = settings.sessionStore.open(val); res.m_session = req.session; if (req.session) break; } } // write default headers if (req.method == HTTPMethod.HEAD) res.m_isHeadResponse = true; if (settings.serverString.length) res.headers["Server"] = settings.serverString; res.headers["Date"] = formatRFC822DateAlloc(request_allocator, reqtime); if (req.persistent) res.headers["Keep-Alive"] = formatAlloc( request_allocator, "timeout=%d", settings.keepAliveTimeout.total!"seconds"()); // finished parsing the request parsed = true; logTrace("persist: %s", req.persistent); keep_alive = req.persistent; // handle the request logTrace("handle request (body %d)", req.bodyReader.leastSize); res.httpVersion = req.httpVersion; request_task(req, res); // if no one has written anything, return 404 if (!res.headerWritten) { string dbg_msg; logDiagnostic("No response written for %s", req.requestURI); if (settings.options & HTTPServerOption.errorStackTraces) dbg_msg = format("No routes match path '%s'", req.requestURI); errorOut(HTTPStatus.notFound, httpStatusText(HTTPStatus.notFound), dbg_msg, null); } } catch (HTTPStatusException err) { if (!res.headerWritten) errorOut(err.status, err.msg, err.debugMessage, err); else logDiagnostic("HTTPStatusException while writing the response: %s", err.msg); debug logDebug("Exception while handling request %s %s: %s", req.method, req.requestURI, () @trusted { return err.toString().sanitize; } ()); if (!parsed || res.headerWritten || justifiesConnectionClose(err.status)) keep_alive = false; } catch (UncaughtException e) { auto status = parsed ? HTTPStatus.internalServerError : HTTPStatus.badRequest; string dbg_msg; if (settings.options & HTTPServerOption.errorStackTraces) dbg_msg = () @trusted { return e.toString().sanitize; } (); if (!res.headerWritten && tcp_connection.connected) errorOut(status, httpStatusText(status), dbg_msg, e); else logDiagnostic("Error while writing the response: %s", e.msg); debug logDebug("Exception while handling request %s %s: %s", req.method, req.requestURI, () @trusted { return e.toString().sanitize(); } ()); if (!parsed || res.headerWritten || !cast(Exception)e) keep_alive = false; } if (tcp_connection.connected && keep_alive) { if (req.bodyReader && !req.bodyReader.empty) { req.bodyReader.pipe(nullSink); logTrace("dropped body"); } } // finalize (e.g. for chunked encoding) res.finalize(); if (res.m_requiresConnectionClose) keep_alive = false; foreach (k, v ; req._files.byKeyValue) { if (existsFile(v.tempPath)) { removeFile(v.tempPath); logDebug("Deleted upload tempfile %s", v.tempPath.toString()); } } if (!req.noLog) { // log the request to access log foreach (log; context.loggers) log.log(req, res); } //logTrace("return %s (used pool memory: %s/%s)", keep_alive, request_allocator.allocatedSize, request_allocator.totalSize); logTrace("return %s", keep_alive); return keep_alive != false; } private void parseRequestHeader(InputStream)(HTTPServerRequest req, InputStream http_stream, IAllocator alloc, ulong max_header_size) if (isInputStream!InputStream) { auto stream = FreeListRef!LimitedHTTPInputStream(http_stream, max_header_size); logTrace("HTTP server reading status line"); auto reqln = () @trusted { return cast(string)stream.readLine(MaxHTTPHeaderLineLength, "\r\n", alloc); }(); logTrace("--------------------"); logTrace("HTTP server request:"); logTrace("--------------------"); logTrace("%s", reqln); //Method auto pos = reqln.indexOf(' '); enforceBadRequest(pos >= 0, "invalid request method"); req.method = httpMethodFromString(reqln[0 .. pos]); reqln = reqln[pos+1 .. $]; //Path pos = reqln.indexOf(' '); enforceBadRequest(pos >= 0, "invalid request path"); req.requestURI = reqln[0 .. pos]; reqln = reqln[pos+1 .. $]; req.httpVersion = parseHTTPVersion(reqln); //headers parseRFC5322Header(stream, req.headers, MaxHTTPHeaderLineLength, alloc, false); foreach (k, v; req.headers.byKeyValue) logTrace("%s: %s", k, v); logTrace("--------------------"); } private void parseCookies(string str, ref CookieValueMap cookies) @safe { import std.encoding : sanitize; import std.array : split; import std.string : strip; import std.algorithm.iteration : map, filter, each; import vibe.http.common : Cookie; () @trusted { return str.sanitize; } () .split(";") .map!(kv => kv.strip.split("=")) .filter!(kv => kv.length == 2) //ignore illegal cookies .each!(kv => cookies.add(kv[0], kv[1], Cookie.Encoding.raw) ); } unittest { auto cvm = CookieValueMap(); parseCookies("foo=bar;; baz=zinga; öö=üü ; møøse=was=sacked; onlyval1; =onlyval2; onlykey=", cvm); assert(cvm["foo"] == "bar"); assert(cvm["baz"] == "zinga"); assert(cvm["öö"] == "üü"); assert( "møøse" ! in cvm); //illegal cookie gets ignored assert( "onlyval1" ! in cvm); //illegal cookie gets ignored assert(cvm["onlykey"] == ""); assert(cvm[""] == "onlyval2"); assert(cvm.length() == 5); cvm = CookieValueMap(); parseCookies("", cvm); assert(cvm.length() == 0); cvm = CookieValueMap(); parseCookies(";;=", cvm); assert(cvm.length() == 1); assert(cvm[""] == ""); } shared static this() { version (VibeNoDefaultArgs) {} else { string disthost = s_distHost; ushort distport = s_distPort; import vibe.core.args : readOption; readOption("disthost|d", () @trusted { return &disthost; } (), "Sets the name of a vibedist server to use for load balancing."); readOption("distport", () @trusted { return &distport; } (), "Sets the port used for load balancing."); setVibeDistHost(disthost, distport); } } private string formatRFC822DateAlloc(IAllocator alloc, SysTime time) @safe { auto app = AllocAppender!string(alloc); writeRFC822DateTimeString(app, time); return () @trusted { return app.data; } (); } version (VibeDebugCatchAll) private alias UncaughtException = Throwable; else private alias UncaughtException = Exception;
D
module djvm.app; import core.stdc.stdlib : exit; import core.stdc.stdio : fopen, fread, printf, FILE; import djvm.logging : error, info; @nogc nothrow: /// Table 4.4-A. Constant pool tags (by section) /// https://docs.oracle.com/javase/specs/jvms/se14/html/jvms-4.html enum Tag { // literals Utf8 = 0x01, Integer = 0x03, Float = 0x04, Long = 0x05, Double = 0x06, Class = 0x07, String = 0x08, Fieldref = 0x09, Methodref = 0x0a, InterfaceMethodref = 0x11, NameAndType = 0x0c, // from Java 7 (51.0) MethodHandle = 0x0f, MethodType = 0x10, InvokeDynamic = 0x12, // from Java 9 (53.0) Module = 0x13, Package = 0x14, // from Java 11 (55.0) Dynamic = 0x11, } auto enumToString(T)(T t) { static foreach (mem; __traits(allMembers, T)) { if (t == __traits(getMember, T, mem)) return mem; } assert(false); } struct Const { Tag tag; // TODO: use union ushort nameIndex, classIndex, nameAndTypeIndex, stringIndex, descriptorIndex; string str = ""; } string utf8(const ref Const c) { if (c.tag != Tag.Utf8) { error("wrong tag %#x (expected Utf8)", c.tag); } return c.str; } /// Reads one Const value from the given binary file. ref read(return ref Const c, scope FILE* fd) { import core.stdc.stdlib : malloc; c = Const.init; c.tag = cast(Tag) fd.read!ubyte; with (Tag) { // TODO: final switch switch (c.tag) { case Utf8: auto len = fd.read!ushort; // TODO: free if possible auto dst = cast(char*) malloc(len + 1); auto n = fread(dst, len, 1, fd); assert(n == 1); dst[len] = 0; // null terminated c.str = cast(string) dst[0 .. len]; info("read str: %s", dst); break; case Class: c.nameIndex = fd.read!ushort; break; case String: c.stringIndex = fd.read!ushort; break; case Fieldref: case Methodref: c.classIndex = fd.read!ushort; c.nameAndTypeIndex = fd.read!ushort; break; case NameAndType: c.nameIndex = fd.read!ushort; c.descriptorIndex = fd.read!ushort; break; default: error("unsupported tag: %#x", c.tag); } } return c; } ref read(return ref Const[] cs, scope FILE* fd) { import core.stdc.stdlib : realloc; auto count = fd.read!ushort; info("const pool count: %d", count); auto p = cast(Const*) realloc(cs.ptr, Const.sizeof * count); if (p is null) error("realloc failed."); cs = p[0 .. count]; cs[0] = Const.init; // TODO: is this unused? foreach (i; 1 .. count) { cs[i].read(fd); } return cs; } struct Attribute { string name; byte[] data; } struct Field { ushort flags; string name; string descriptor; Attribute[] attributes; } struct Class { Const[] constPool; Const thisClass; Const superClass; ushort flags; string[] interfaces; Field[] fields; Field[] methods; Attribute[] attributes; ref read(return ref Attribute[] as, FILE* fd) { import core.stdc.stdlib : realloc; auto len = fd.read!ushort; auto ptr = cast(Attribute*) realloc(as.ptr, Attribute.sizeof * len); if (ptr is null) error("realloc failed."); as = ptr[0 .. len]; foreach (ref a; as) { a = Attribute.init; a.name = this.constPool[fd.read!ushort].utf8; info("attribute name: %s", a.name.ptr); // FIXME: really uint? auto dn = fd.read!uint; auto dp = cast(byte*) realloc(a.data.ptr, dn); info("attribute bytes: %d", dn); if (dp is null) error("realloc failed"); a.data = dp[0 .. dn]; auto n = fread(dp, dn, 1, fd); if (n != 1) error("fread failed at Attribute: %s.", a.name.ptr); } return as; } ref read(return ref Field[] fs, FILE* fd) { import core.stdc.stdlib : realloc; auto len = fd.read!ushort; auto ptr = cast(Field*) realloc(fs.ptr, Field.sizeof * len); if (ptr is null) error("realloc failed."); fs = ptr[0 .. len]; foreach (ref f; fs) { f = Field.init; f.flags = fd.read!ushort; f.name = this.constPool[fd.read!ushort].utf8; info("field/method name: %s", f.name.ptr); f.descriptor = this.constPool[fd.read!ushort].utf8; info("field/method descriptor: %s", f.descriptor.ptr); read(f.attributes, fd); } return fs; } ref read(scope FILE* fd) { import core.stdc.stdlib : realloc; // Check the first 4 numbers. ubyte[4] magic; fread(magic.ptr, 4, 1, fd); static immutable expected = [0xca, 0xfe, 0xba, 0xbe]; assert(magic == expected); // Check class file version. auto minor = fd.read!ushort; auto major = fd.read!ushort; info("Class version: %d.%d", major, minor); // Read fields. this.constPool.read(fd); this.flags = fd.read!ushort; this.thisClass = this.constPool[fd.read!ushort]; this.superClass = this.constPool[fd.read!ushort]; // Read interfaces auto ilen = fd.read!ushort; info("interface count: %d", ilen); auto iptr = cast(string*) realloc(this.interfaces.ptr, string.sizeof * ilen); foreach (i; 0 .. ilen) { iptr[i] = this.constPool[fd.read!ushort].utf8; info("interface: %s", iptr[i].ptr); } this.interfaces = iptr[0 .. ilen]; // Read fields read(this.fields, fd); info("field count: %d", this.fields.length); read(this.methods, fd); info("method count: %d", this.methods.length); read(this.attributes, fd); info("attribute count: %d", this.attributes.length); return this; } } /// Reads integer values from the given binary file. T read(T)(FILE* fd) { import std.bitmanip : bigEndianToNative; ubyte[T.sizeof] buf; auto n = fread(buf.ptr, T.sizeof, 1, fd); if (n != 1) { error("unexpected EOF"); } // Multibyte data items are always stored in big-endian order. return bigEndianToNative!T(buf); } int main(string[] args) { import std.stdio; // Check args. if (args.length != 2) { error("usage: %s file.class", &args[0][0]); } // Open a class file. auto fname = &args[1][0]; auto fd = fopen(fname, "rb"); if (fd is null) { error("unable to open %s", fname); } Class c; c.read(fd); info("=== const pool ==="); foreach (i, v; c.constPool) { info("[%03d] tag: %s,\tstr: \"%s\"", i, v.tag.enumToString.ptr, v.str.ptr); } return 0; }
D
/// This module contains the data structures representing an EF Model, /// functions to parse a Model, and functions to validate a Model. module generator.model; import std.stdio, std.regex, std.experimental.logger, std.exception, std.format, std.algorithm; import scriptlike; import generator.config; /// Contains information about a DbSet from EF. /// /// For example, the variable `DbSet<device_type> devices` /// would correspond with `DbSet("device_type", "devices")` struct DbSet { /// The name of the type the set stores string typeName; /// The name of the variable the set is stored as, inside of the DbContext. string variableName; string toString() { return "DbSet<"~typeName~"> "~variableName~";"; } } /// Contains the information about the DbContext class for the data model. class DatabaseContext { /// The name of the DbContext class. string className; /// All of the tables that the context manages. DbSet[] tables; override string toString() { import std.algorithm; import std.array; import std.format; return format("[DbContext]\n" ~ "Name: %s\n" ~ "Tables:\n\t%s", this.className, this.tables.map!(t => t.toString()).joiner("\n\n\t")); } @safe @nogc inout(DbSet) getTableForType(string type) inout nothrow { foreach(tab; this.tables) { if(tab.typeName == type) return tab; } assert(false); } } /// Contains information about a specific field/variable. class Field { /// The name of the field's type. (e.g. "device", "int", etc.) string typeName; /// The name of the field. string variableName; /// The attributes applied to the field. string[] attributes; override string toString() const { import std.format; import std.algorithm; return format("%s\n%s %s;", this.attributes.map!(a => format("[%s]", a)).joiner("\n"), this.typeName, this.variableName); } } /// Contains information about an object in a table(DbSet). class TableObject { /// The name of the class. string className; /// The name of the variable that stores the object's primary key. string keyName; /// The name of the file the object is stored in. string fileName; /// All of the fields/variables that make up the object. Field[] fields; /// All the `TableObject`s that depend on this object. Dependant[] dependants; override string toString() { import std.algorithm; import std.format; return format("[Table Object]\n" ~ "Name: %s\n" ~ "KeyVar: %s\n" ~ "File: '%s'\n" ~ "Dependants: \n\t%s\n" ~ "Fields:\n%s", this.className, this.keyName, this.fileName, this.dependants.map!(d => d.dependant.className).joiner("\n\t"), this.fields.map!(f => f.toString()).joiner("\n\n")); } /// Returns: The primary key field. inout(Field) getKey() inout { return this.getFieldByName(this.keyName, "Could not find the primary key field."); } /// Notes: /// If a field with `name` doesn't exist then an exception is thrown, using `notFoundErrorMsg` /// as additional information about why the field was needed (e.g. It's the key field, it's a foreign key, it's a generic value, etc.) /// /// Returns: /// A `Field` with the given `name`. inout(Field) getFieldByName(string name, lazy string notFoundErrorMsg = "No additional info") inout { foreach(field; this.fields) { if(field.variableName == name) return field; } throw new Exception(format("Could not find field with name '%s' in object '%s'. Additional Info: %s", notFoundErrorMsg)); } } /// Contains information about a 'TableObject' that's dependent on another type. struct Dependant { /// The object that's dependent on another. TableObject dependant; /// The field that acts as the foreign key for the dependency. Field dependantFK; } /// Contains information about the entire model. class Model { /// The namespace that all of the files in the model use. string namespace; // Determined by the file holding the DbContext /// The main DbContext for the model. DatabaseContext context; /// The various objects that make up the model's data. TableObject[] objects; override string toString() { import std.algorithm; import std.format; return format("[Model]\n" ~ "Namespace: %s\n" ~ "Context:\n%s\n" ~ "Objects:\n%s", this.namespace, this.context, this.objects.map!(o => o.toString()).joiner("\n\n")); } /// Returns: The `TableObject` with the given `type`. inout(TableObject) getObjectByType(string type) inout { foreach(obj; this.objects) { if(obj.className == type) return obj; } assert(false); } } /++ + Parses the directory created by EF, and gathers information about the model. + + Params: + dirPath = The path to the directory to parse. + + Returns: + The parsed `Model` + ++/ Model parseModelDirectory(Path dirPath) { writefln("> Parsing EntityFramework Model in directory '%s'", dirPath); enforce(dirPath.exists, "The path '%s' doesn't exist.".format(dirPath)); enforce(dirPath.isDir, "The path '%s' doesn't point to a directory".format(dirPath)); // Only has one match, which is the name of the DbContext class. auto dbModelNameRegex = regex(`public\spartial\sclass\s([a-zA-Z_]+)\s:\sDbContext`); // Only has one match, which is the name of the table object class. auto dbObjectNameRegex = regex(`public\spartial\sclass\s([a-zA-Z_]+)\s`); // Go over all of the files, and check what kind of data it contains, then pass it to the right function // to parse it. Model model = new Model(); foreach(entry; dirEntries(dirPath, SpanMode.breadth)) { if(entry.isDir || entry.extension != ".cs") continue; writef("Processing %s... ", entry.baseName); // The appropriate parse function will finish the line off auto content = readText(entry); // Check if it's the DbContext file auto matches = matchFirst(content, dbModelNameRegex); if(matches.length > 1) { enforce(model.context is null, "The EF model contains multiple DbContext classes. There is no support for this in the generator."); // Reminder: [0] is always the fully matched string. // The actual capture groups start at [1] parseDbContext(model, content, matches[1]); continue; } // Then, check if it's a 'public partial' class, which is probably one of the table objects. matches = matchFirst(content, dbObjectNameRegex); if(matches.length > 1) { parseObjectFile(model, content, matches[1], entry.name); continue; } } finaliseModel(model); return model; } // Performs steps of the model parsing that can only be done after the entire model is read in. private void finaliseModel(Model model) { writeln("\n> Finalising Model"); auto iCollectionRegex = regex(`ICollection<([a-zA-Z_0-9]+)>`); // Go over all the table objects, and find their dependants. foreach(object; model.objects) { // If a field is of the form "ICollection<SomeTableObject>" then that means // 'this' object is a dependency of 'SomeTableObject'. foreach(field; object.fields) { auto match = matchFirst(field.typeName, iCollectionRegex); if(match.length == 2) { Dependant info; info.dependant = model.getObjectByType(match[1]); // Figure out the FK's variable name. if(info.dependant == object) // Special case: The object has an FK of another object with the same type (device for example) { // Solution: Follow the convention of naming the FK 'parent_[type name]_id' // Future Solution: Read in a file that can provide an FK name for special cases like this auto fkName = "parent_" ~ info.dependant.className ~ "_id"; auto fkQuery = info.dependant.getFieldByName(fkName, "Special FK case failed"); info.dependantFK = fkQuery; } else // Non-special cases { // Naming convention: Simply slap "_id" after the type name and it makes a foreign key // If this is violated, or EF generates special cases, then this logic fails. auto fkName = object.className ~ "_id"; auto fkQuery = info.dependant.getFieldByName(fkName, "Could not find the foreign key, are you following the naming convention?"); info.dependantFK = fkQuery; } object.dependants ~= info; } } } } // Parses a file describing the class that inherits from DbContext private void parseDbContext(ref Model model, string content, string className) { writeln("[DbContext]"); // Contains two matches, [1] is the class name of the DbSet, [2] is the variable name of the DbSet auto dbModelDbSetRegex = regex(`public\svirtual\sDbSet<([a-zA-Z_]+)>\s([a-zA-Z_]+)\s`); // Only has one match, which is the namespace auto dbModelNamespaceRegex = regex(`namespace\s([a-zA-Z\._]+)\s`); model.context = new DatabaseContext(); model.context.className = className; // Figure out which namespace this class is in. auto matches = matchFirst(content, dbModelNamespaceRegex); enforce(matches.length == 2, "Could not determine the namespace for the model."); model.namespace = matches[1]; // Look for all of the DbSets in the context, which represent tables. auto tableMatches = matchAll(content, dbModelDbSetRegex); foreach(match; tableMatches) { assert(match.length == 3); DbSet set; set.typeName = match[1]; set.variableName = match[2]; model.context.tables ~= set; } } // Parses a file that represents a record of a table from the database (I call them TableObjects in the generator's codebase) private void parseObjectFile(ref Model model, string content, string className, string filePath) { // This function is called multiple times, so ctRegex is being used instead of the normal regex. writeln("[TableObject]"); // Only has one match, which is the name of the object's key variable. auto dbObjectKeyNameRegex = ctRegex!(`\[Key\]\s*\[?[^\]]+\]?\s*public\sint\s([a-zA-Z_0-1]+)\s\{\sget;\sset;\s\}`); // Used to check for a ctor auto dbObjectCtorRegex = regex(format(`public (%s)\(\)`, className)); // Used to check for a '}' auto dbObjectEndCurlyRegex = ctRegex!`\s*(\})\s*`; // [1] = Whatever's inside the attribute brackets auto dbObjectAttributeRegex = ctRegex!`\[([^\]]+)\]`; // [1] = Type name. [2] = Variable name. auto dbObjectFieldRegex = ctRegex!`public\s(?:virtual\s)?([^\s]+)\s([^\s]+)\s\{\sget;\sset;\s\}`; TableObject object = new TableObject(); object.className = className; object.fileName = filePath.baseName; // Search the file's content line-by-line // First thing is to skip over the constructor, then the only things that are left are the // fields. // Then parse in all the fields. bool hasCtor = (matchFirst(content, dbObjectCtorRegex).length > 1); bool foundCtor = false; bool skippedCtor = false; string[] attributes; foreach(line; content.splitter('\n')) { // Look for the ctor if(!foundCtor && hasCtor) { auto matches = matchFirst(line, dbObjectCtorRegex); if(matches.length > 1) foundCtor = true; continue; } else if(!skippedCtor && hasCtor) // Look for the first '}' that ends the ctor. { auto matches = matchFirst(line, dbObjectEndCurlyRegex); if(matches.length > 1) skippedCtor = true; continue; } // Push all of the attributes onto a list // When a field is found, associate the attributes with it // Clear the attributes list // Repeat until the end of the contents. auto atribMatches = matchFirst(line, dbObjectAttributeRegex); if(atribMatches.length > 1) // Attribute found { attributes ~= atribMatches[1]; continue; } auto fieldMatches = matchFirst(line, dbObjectFieldRegex); if(fieldMatches.length > 1) // Field found { assert(fieldMatches.length == 3); // Setup the field. Field field = new Field(); field.typeName = fieldMatches[1]; field.variableName = fieldMatches[2]; field.attributes = attributes; object.fields ~= field; // Special case: I can't be bothered to change the code that already uses 'keyName' // So we'll just handle the Key attribute here. auto query = field.attributes.filter!(a => a == "Key"); if(!query.empty) object.keyName = field.variableName; // Then reset the attribute list. attributes = null; continue; } } assert(object.fields.length > 0, object.className); model.objects ~= object; } // Performs certain validation steps to ensure that the model is formed correctly. void validateModel(const Model model) { import std.algorithm : canFind; writeln("\n> Validating Model"); // #1, make sure that for each table object, that there's a corresponding DbSet inside the DbContext. foreach(object; model.objects) { bool found = model.context.tables.canFind!(t => t.typeName == object.className); enforce(found, format("The DbContext '%s' has no DbSet for the table object '%s", model.context.className, object.className)); } // #2, make sure that all of the table objects contains the mandatory variables specified in the config. foreach(object; model.objects) { foreach(mandatoryVar; appConfig.projDataManager.mandatoryVariables) { enforce(object.fields.canFind!(f => f.variableName == mandatoryVar), format("The object '%s' is missing the mandatory variable '%s'.", object.className, mandatoryVar)); } } // #3, make sure all objects have a primary key field. foreach(object; model.objects) object.getKey(); // This will throw if it can't find the key }
D
module ast.attribute; import token; import ast.expression; import ast.module_; import ast.symbol; enum PRLV : ubyte { undefined, private_, package_, package_specified, public_, export_, protected_, } enum STC : ulong { undefined = 0, // type qualifier immut = 1UL >> 1, const_ = 1UL >> 2, inout_ = 1UL >> 3, shared_ = 1UL >> 4, lazy_ = 1UL >> 5, ref_ = 1UL >> 6, out_ = 1UL >> 7, scope_ = 1UL >> 8, return_ = 1UL >> 9, // function property throwable = 1UL >> 10, pure_ = 1UL >> 11, ctfe = 1UL >> 12, system = 1UL >> 13, trusted = 1UL >> 14, safe = 1UL >> 15, disable = 1UL >> 16, final_ = 1UL >> 17, abstract_ = 1UL >> 18, override_ = 1UL >> 19, static_ = 1UL >> 20, deprecated_ = 1UL >> 21, extern_ = 1UL >> 22, } alias StorageClass = ulong; static immutable STC[ubyte.max] TokenKindToSTC = [ TokenKind.immut: STC.immut, TokenKind.const_: STC.const_, TokenKind.inout_: STC.inout_, TokenKind.shared_: STC.shared_, TokenKind.lazy_: STC.lazy_, TokenKind.ref_: STC.ref_, TokenKind.out_: STC.out_, TokenKind.scope_: STC.scope_, TokenKind.return_: STC.return_, TokenKind.throwable: STC.throwable, TokenKind.pure_: STC.pure_, TokenKind.final_: STC.final_, TokenKind.abstract_: STC.abstract_, TokenKind.override_: STC.override_, TokenKind.static_: STC.static_, TokenKind.deprecated_: STC.deprecated_, TokenKind.extern_: STC.extern_, ]; /// the root of attribution class abstract class Attribution { inout const @nogc @property { /+ inout(STCAttribution) isSTC() { return null; } inout(ProtAttribution) isProt() { return null; } +/ inout(PackageSpecifiedAttribution) isPkgSpec() { return null; } inout(DeprecationAttribution) isDeprecation() { return null; } inout(UserDefinedAttribution) isUDA() { return null; } } } /+ /// representing StorageClass final class STCAttribution : Attribution { StorageClass stc; this (StorageClass stc) { this.stc = stc; } override inout(STCAttribution) isSTC() inout const @nogc @property { return cast(inout) this; } } /// private/package/public/export/protected final class ProtAttribution : Attribution { PRLV prlv; this (PRLV prlv) { this.prlv = prlv; } override inout(ProtAttribution) isProt() inout const @nogc @property { return cast(inout) this; } } +/ /// package(...) final class PackageSpecifiedAttribution : Attribution { Identifier[] pkgname; Package _pkg = null; Package pkg(Package root) @property { if (_pkg) return _pkg; else assert(0); } this (Identifier[] pkgname) { this.pkgname = pkgname; } override inout(PackageSpecifiedAttribution) isPkgSpec() inout const @nogc @property { return cast(inout) this; } } /// deprecated("...") final class DeprecationAttribution : Attribution { Expression exp; // deprecation message this (Expression exp) { this.exp = exp; } override inout(DeprecationAttribution) isDeprecation() inout const @nogc @property { return cast(inout) this; } } /// @(...) final class UserDefinedAttribution : Attribution { Expression[] exps; this (Expression[] exps) { this.exps = exps; } override inout(UserDefinedAttribution) isUDA() inout const @nogc @property { return cast(inout) this; } }
D
// ************************************************************************* // Kapitel 1 // ************************************************************************* // ************************************************************************* // EXIT // ************************************************************************* INSTANCE Info_Nov_2_EXIT(C_INFO) { // npc wird in B_AssignAmbientInfos_Nov_2 (s.u.) jeweils gesetzt nr = 999; condition = Info_Nov_2_EXIT_Condition; information = Info_Nov_2_EXIT_Info; permanent = 1; description = "END"; }; FUNC INT Info_Nov_2_EXIT_Condition() { return 1; }; FUNC VOID Info_Nov_2_EXIT_Info() { AI_StopProcessInfos (self); }; // ************************************************************************* // Einer von Euch werden // ************************************************************************* INSTANCE Info_Nov_2_EinerVonEuchWerden (C_INFO) // E1 { nr = 4; condition = Info_Nov_2_EinerVonEuchWerden_Condition; information = Info_Nov_2_EinerVonEuchWerden_Info; permanent = 1; description = "I want to join you."; }; FUNC INT Info_Nov_2_EinerVonEuchWerden_Condition() { if (Npc_GetTrueGuild(other) == GIL_NONE) { return TRUE; }; }; FUNC VOID Info_Nov_2_EinerVonEuchWerden_Info() { AI_Output(other,self,"Info_Nov_2_EinerVonEuchWerden_15_00"); //I want to join you. AI_Output(self,other,"Info_Nov_2_EinerVonEuchWerden_02_01"); //You mean you've decided to serve the Sleeper? A path of happiness and good fortune lies ahead of you. AI_Output(self,other,"Info_Nov_2_EinerVonEuchWerden_02_02"); //Go and talk to Cor Kalom. He'll decide what job you're most suited for. var C_NPC CorKalom; CorKalom= Hlp_GetNpc(Gur_1201_CorKalom); CorKalom.aivar[AIV_FINDABLE] = TRUE; }; // ************************************************************************* // Wichtige Personen // ************************************************************************* INSTANCE Info_Nov_2_WichtigePersonen(C_INFO) { nr = 3; condition = Info_Nov_2_WichtigePersonen_Condition; information = Info_Nov_2_WichtigePersonen_Info; permanent = 1; description = "Who are your leaders?"; }; FUNC INT Info_Nov_2_WichtigePersonen_Condition() { return 1; }; FUNC VOID Info_Nov_2_WichtigePersonen_Info() { AI_Output(other,self,"Info_Nov_2_WichtigePersonen_15_00"); //Who are your leaders? AI_Output(self,other,"Info_Nov_2_WichtigePersonen_02_01"); //Y'Berion, Cor Kalom and Cor Angar are our mentors. AI_Output(self,other,"Info_Nov_2_WichtigePersonen_02_02"); //They are our link to the Sleeper. During the invocations, they are the ones who make contact with the Sleeper. var C_NPC YBerion; YBerion = Hlp_GetNpc(Gur_1200_Yberion); var C_NPC CorKalom; CorKalom= Hlp_GetNpc(Gur_1201_CorKalom); var C_NPC CorAngar; CorAngar= Hlp_GetNpc(Gur_1202_CorAngar); YBerion.aivar[AIV_FINDABLE] = TRUE; CorKalom.aivar[AIV_FINDABLE] = TRUE; CorAngar.aivar[AIV_FINDABLE] = TRUE; }; // ************************************************************************* // Das Lager (Orts-Infos) // ************************************************************************* INSTANCE Info_Nov_2_DasLager(C_INFO) { nr = 2; condition = Info_Nov_2_DasLager_Condition; information = Info_Nov_2_DasLager_Info; permanent = 1; description = "What should I know about this place?"; }; FUNC INT Info_Nov_2_DasLager_Condition() { return 1; }; FUNC VOID Info_Nov_2_DasLager_Info() { AI_Output(other,self,"Info_Nov_2_DasLager_15_00"); //What should I know about this place? AI_Output(self,other,"Info_Nov_2_DasLager_02_01"); //It is a place of faith, brother. We do not have much, but what we do have we share with all who are willing to listen to the Sleeper's teachings. AI_Output(self,other,"Info_Nov_2_DasLager_02_02"); //Speak to one of the Gurus, and your soul will be enriched. }; // ************************************************************************* // Die Lage // ************************************************************************* INSTANCE Info_Nov_2_DieLage(C_INFO) // E1 { nr = 1; condition = Info_Nov_2_DieLage_Condition; information = Info_Nov_2_DieLage_Info; permanent = 1; description = "How's it going?"; }; FUNC INT Info_Nov_2_DieLage_Condition() { return 1; }; FUNC VOID Info_Nov_2_DieLage_Info() { AI_Output(other,self,"Info_Nov_2_DieLage_15_00"); //How's it going? AI_Output(self,other,"Info_Nov_2_DieLage_02_01"); //I don't have much time. I have jobs to perform. }; // ************************************************************************* // ------------------------------------------------------------------------- FUNC VOID B_AssignAmbientInfos_Nov_2(var c_NPC slf) { B_AssignFindNpc_ST(slf); Info_Nov_2_EXIT.npc = Hlp_GetInstanceID(slf); Info_Nov_2_EinerVonEuchWerden.npc = Hlp_GetInstanceID(slf); Info_Nov_2_WichtigePersonen.npc = Hlp_GetInstanceID(slf); Info_Nov_2_DasLager.npc = Hlp_GetInstanceID(slf); Info_Nov_2_DieLage.npc = Hlp_GetInstanceID(slf); };
D
put into a box hit with the fist engage in a boxing match enclosed in or set off by a border or box enclosed in or as if in a box
D
/// module dpq.query; import dpq.connection; import dpq.value; import dpq.exception; import dpq.result; version(unittest) { import std.stdio; private Connection c; } /** A nice wrapper around various DB querying functions, to fill even everyday PostgreSQL querying with joy. Examples: ------------------- Connection c; // an established connection Query q; // Will not have the connection set (!!!) q.connection = c; // We can set it manually q = Query(c); // Or simply use the constructor ------------------- */ struct Query { private string _command; private Value[] _params; private Connection* _connection; /** Constructs a new Query object, reusing the last opened connection. Will fail if no connection has been established. A command string msut be provided, optionally, values can be provided too, but will usually be added later on. The query internally keeps a list of params that it will be executed with. Please note that using the Query's empty constructor will NOT set the Query's connection, and the Query will therefore be quite unusable unless you set the connection later. Examples: --------------- auto q = Query("SELECT 1::INT"); auto q = Query("SELECT $1::INT", 1); --------------- */ this(string command, Value[] params = []) { if (_dpqLastConnection == null) throw new DPQException("Query: No established connection was found and none was provided."); _connection = _dpqLastConnection; _command = command; _params = params; } /** Like the above constructor, except it also accepts a Connection as the first param. A copy of the Connection is not made. Examples: --------------- Connection conn; // an established connection auto q = Query(conn, "SELECT 1::INT"); Connection conn; // an established connection auto q = Query(conn, "SELECT $1::INT", 1); --------------- */ this(ref Connection conn, string command = "", Value[] params = []) { _connection = &conn; _command = command; _params = params; } unittest { writeln(" * Query"); c = Connection("host=127.0.0.1 dbname=test user=test"); writeln("\t * this()"); Query q; // Empty constructor uses init values assert(q._connection == null); writeln("\t * this(command, params[])"); string cmd = "some command"; q = Query(cmd); assert(q._connection != null, `not null 2`); assert(q._command == cmd, `cmd`); assert(q._params == [], `empty arr`); Connection c2 = Connection("host=127.0.0.1 dbname=test user=test"); writeln("\t * this(Connection, command, params[])"); q = Query(c2); assert(q._connection == &c2); q = Query(cmd); assert(q._connection == &c2); } /** A setter for the connection. THe connection MUST be set before executing the query, but it is a lot more handy to simply use the constructor that takes the Connection instead of using this. */ @property void connection(ref Connection conn) { _connection = &conn; } /** A getter/setter pair for the command that will be executed. */ @property string command() { return _command; } /// ditto @property void command(string c) { _command = c; } /** Add a param to the list of params that will be sent with the query. It's probably a better idea to just use run function with all the values, but in some cases, adding params one by one can result in a more readable code. */ void addParam(T)(T val) { _params ~= Value(val); } unittest { Query q; assert(q._params.length == 0); q.addParam(1); assert(q._params.length == 1); assert(q._params[0] == Value(1)); } /** In reality just an alias to addParam, but can be chained to add multiple params. Examples: ----------------- auto q = Query("SELECT $1, $2, $3"); q << "something" << 123 << 'c'; ----------------- */ ref Query opBinary(string op, T)(T val) if (op == "<<") { addParam(val); return this; } /** Sets the query's command and resets the params. Connection is not affected Useful if you want to reuse the same query object. */ void opAssign(string str) { command = str; _params = []; } /** Runs the Query, returning a Result object. Optionally accepts a list of params for the query to be ran with. The params are added to the query, and if the query is re-ran for the second time, do not need to be added again. Examples: ---------------- Connection c; auto q = Query(c); q = "SELECT $1"; q.run(123); ---------------- */ Result run() { import std.datetime; StopWatch sw; sw.start(); Result r = _connection.execParams(_command, _params); sw.stop(); r.time = sw.peek(); return r; } /// ditto Result run(T...)(T params) { foreach (p; params) addParam(p); return run(); } /// ditto, async bool runAsync(T...)(T params) { foreach (p; params) addParam(p); return runAsync(); } // ditto bool runAsync() { _connection.sendParams(_command, _params); return true; // FIXME: must return the actual result from PQsendQueryParams } unittest { writeln("\t * run"); auto c = Connection("host=127.0.0.1 dbname=test user=test"); auto q = Query("SELECT 1::INT"); auto r = q.run(); assert(r.rows == 1); assert(r.columns == 1); assert(r[0][0].as!int == 1); writeln("\t\t * async"); q.runAsync(); r = c.lastResult(); assert(r.rows == 1); assert(r.columns == 1); assert(r[0][0].as!int == 1); writeln("\t * run(params...)"); q = "SELECT $1"; q.run(1); assert(r.rows == 1); assert(r.columns == 1); assert(r[0][0].as!int == 1); writeln("\t\t * async"); q.runAsync(1); r = c.lastResult(); assert(r.rows == 1); assert(r.columns == 1); assert(r[0][0].as!int == 1); } }
D
/Users/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/SQL.build/Objects-normal/x86_64/SQLColumnBuilder.o : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBind.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoinMethod.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSerializable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDataType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdate.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDelete.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBoolLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDefaultLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoin.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCollation.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKeyAction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLConnection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDirection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnDefinition.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDeleteBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateGroupBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsertBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLRawBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndexBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryEncoder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryFetcher.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIndexModifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBinaryOperator.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelect.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDistinct.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunctionArgument.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsert.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLGroupBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLOrderBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPrimaryKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/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/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/SQL.build/Objects-normal/x86_64/SQLColumnBuilder~partial.swiftmodule : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBind.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoinMethod.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSerializable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDataType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdate.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDelete.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBoolLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDefaultLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoin.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCollation.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKeyAction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLConnection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDirection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnDefinition.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDeleteBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateGroupBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsertBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLRawBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndexBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryEncoder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryFetcher.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIndexModifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBinaryOperator.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelect.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDistinct.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunctionArgument.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsert.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLGroupBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLOrderBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPrimaryKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/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/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/SQL.build/Objects-normal/x86_64/SQLColumnBuilder~partial.swiftdoc : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBind.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoinMethod.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSerializable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDataType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdate.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDelete.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBoolLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDefaultLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoin.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCollation.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKeyAction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLConnection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDirection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnDefinition.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDeleteBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateGroupBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsertBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLRawBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndexBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryEncoder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryFetcher.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIndexModifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBinaryOperator.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelect.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDistinct.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunctionArgument.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsert.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLGroupBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLOrderBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPrimaryKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/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 level.levdraw; import std.algorithm; import std.conv; import std.range; import std.string; import basics.alleg5; import basics.globals; import file.filename; import graphic.color; import graphic.cutbit; import graphic.graphic; import graphic.torbit; import hardware.tharsis; import level.level; import tile.draw; import tile.gadtile; import tile.phymap; import tile.occur; package void implDrawTerrainTo(in Level level, Torbit tb, Phymap lookup) { if (! tb) return; assert (tb == level.topology); assert (! lookup || lookup == level.topology); version (tharsisprofiling) auto zone = Zone(profiler, "Level.%s %s".format( lookup ? "drawLT" : "drawT", level.name.take(15))); with (TargetTorbit(tb)) { tb.clearToColor(color.transp); foreach (occ; level.terrain) { occ.drawOccurrence(); // to target torbit occ.drawOccurrence(lookup); } } } private void drawGadgetOcc(in GadOcc occ) { occ.tile.cb.draw(occ.loc, 0, 0, // draw top-left frame. DTODO: Still OK for triggered traps? 0, // mirroring // hatch rotation: not for drawing, only for spawn direction occ.tile.type == GadType.HATCH ? 0 : occ.hatchRot); } package Torbit implCreatePreview( in Level level, in int prevXl, in int prevYl, in Alcol c ) { assert (prevXl > 0); assert (prevYl > 0); Torbit ret = new Torbit(prevXl, prevYl); ret.clearToColor(c); if ( level.status == LevelStatus.BAD_FILE_NOT_FOUND || level.status == LevelStatus.BAD_EMPTY) return ret; // Render the gadgets, then the terrain, using a temporary bitmap. // If the level has torus, the following temporary torbit need torus, too { Torbit temp = new Torbit(level.topology); scope (exit) destroy(temp); auto target = TargetTorbit(temp); temp.clearToColor(level.bgColor); for (int type = cast (GadType) 0; type != GadType.MAX; ++type) level.gadgets[type].each!(g => drawGadgetOcc(g)); ret.drawFromPreservingAspectRatio(temp); temp.clearToColor(color.transp); level.terrain.each!drawOccurrence; ret.drawFromPreservingAspectRatio(temp); } return ret; } package Filename exportImageFilename(in Filename levelFilename) { return new VfsFilename("%s%s.png".format(dirExportImages.rootless, levelFilename.fileNoExtNoPre)); } package void implExportImage(in Level level, in Filename fnToSaveImage) in { assert (level); assert (fnToSaveImage); } body { version (tharsisprofiling) auto zone = Zone(profiler, "Level.export"); enum int extraYl = 60; const tp = level.topology; Torbit img = new Torbit(max(tp.xl, 640), tp.yl + extraYl, tp.torusX, tp.torusY); scope (exit) destroy(img); auto targetTorbit = TargetTorbit(img); img.clearToColor(color.screenBorder); // Render level { Torbit tempLand = new Torbit(tp); scope (exit) destroy(tempLand); void drawToImg() { auto target2 = TargetTorbit(img); tempLand.albit.drawToTargetTorbit(Point((img.xl - tp.xl) / 2, 0)); } auto target = TargetTorbit(tempLand); tempLand.clearToColor(level.bgColor); for (int type = cast (GadType) 0; type != GadType.MAX; ++type) level.gadgets[type].each!(g => drawGadgetOcc(g)); drawToImg(); // Even without no-overwrite terrain, we should do all gadgets first, // then all terrain. Reason: When terrain erases, it shouldn't erase // the gadgets. tempLand.clearToColor(color.transp); level.terrain.each!drawOccurrence; // Torus icon in the top-left corner of the level import graphic.internal; getInternal(fileImagePreviewIcon).draw(Point(0, 0), level.topology.torusX + 2 * level.topology.torusY, 1); drawToImg(); } // Draw UI near the bottom { img.drawFilledRectangle(Rect(0, tp.yl, img.xl, extraYl), color.guiM); import basics.user : skillSort; import file.language; import gui; enum sbXl = 40; auto sb = new SkillButton(new Geom(0, tp.yl, sbXl, extraYl)); foreach (int i, Ac ac; skillSort) { sb.move(i * sbXl, tp.yl); sb.skill = ac.isPloder ? level.ploder : ac; sb.number = level.skills[sb.skill]; sb.draw(); } import graphic.textout; void printInfo(Lang lang, int value, int plusY) { enum labelX = skillSort.length * sbXl + 5; enum fixY = 2; // In theory, 0 should be here, because the y offset // is responsibility of graphic.textout. // But graphic.textout in this runmode seems wrong. auto label = new LabelTwo(new Geom(labelX, tp.yl + plusY + fixY, tp.xl - labelX, 20), lang.transl); label.value = value; label.draw(); } printInfo(Lang.exportSingleInitial, level.initial, 0 + 2); printInfo(Lang.exportSingleRequired, level.required, 20 + 0); printInfo(Lang.exportSingleSpawnint, level.spawnint, 40 - 2); } // Done rendering the image. img.saveToFile(fnToSaveImage); }
D
module nes.apu; import std.conv; import std.stdio; import nes.console; import nes.cpu; import nes.filter; enum frameCounterRate = CPUFrequency / 240.0; ubyte[] lengthTable = [ 10, 254, 20, 2, 40, 4, 80, 6, 160, 8, 60, 10, 14, 12, 26, 14, 12, 16, 24, 18, 48, 20, 96, 22, 192, 24, 72, 26, 16, 28, 32, 30 ]; ubyte[][] dutyTable = [ [0, 1, 0, 0, 0, 0, 0, 0], [0, 1, 1, 0, 0, 0, 0, 0], [0, 1, 1, 1, 1, 0, 0, 0], [1, 0, 0, 1, 1, 1, 1, 1] ]; ubyte[] triangleTable = [ 15, 14, 13, 12, 11, 10, 9, 8, 7, 6, 5, 4, 3, 2, 1, 0, 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15 ]; ushort[] noiseTable = [ 4, 8, 16, 32, 64, 96, 128, 160, 202, 254, 380, 508, 762, 1016, 2034, 4068 ]; ubyte[] dmcTable = [ 214, 190, 170, 160, 143, 127, 113, 107, 95, 80, 71, 64, 53, 42, 36, 27 ]; float[31] pulseTable; float[203] tndTable; static this() { foreach (i; 0 .. 31) { pulseTable[i] = 95.52 / (8128.0 / cast(float)i + 100); } foreach (i; 0 .. 203) { tndTable[i] = 163.67 / (24329.0 / cast(float)i + 100); } } alias void delegate(float) ApuCallbackFuncType; class APU { this(Console console) { this.console = console; this.noise.shiftRegister = 1; this.pulse1.channel = 1; this.pulse2.channel = 2; this.dmc.cpu = console.cpu; } void step() { auto cycle1 = this.cycle; this.cycle++; auto cycle2 = this.cycle; this.stepTimer(); auto f1 = cast(int)(cast(double)cycle1 / frameCounterRate); auto f2 = cast(int)(cast(double)cycle2 / frameCounterRate); if (f1 != f2) { this.stepFrameCounter(); } auto s1 = cast(int)(cast(double)cycle1 / this.sampleRate); auto s2 = cast(int)(cast(double)cycle2 / this.sampleRate); if (s1 != s2) { this.sendSample(); } } ubyte readRegister(ushort address) { switch (address) { case 0x4015: return this.readStatus(); default: break; // default: // log.Fatalf("unhandled apu register read at address: 0x%04X", address) } return 0; } void writeRegister(ushort address, ubyte value) { switch (address) { case 0x4000: this.pulse1.writeControl(value); break; case 0x4001: this.pulse1.writeSweep(value); break; case 0x4002: this.pulse1.writeTimerLow(value); break; case 0x4003: this.pulse1.writeTimerHigh(value); break; case 0x4004: this.pulse2.writeControl(value); break; case 0x4005: this.pulse2.writeSweep(value); break; case 0x4006: this.pulse2.writeTimerLow(value); break; case 0x4007: this.pulse2.writeTimerHigh(value); break; case 0x4008: this.triangle.writeControl(value); break; case 0x4009: break; case 0x4010: this.dmc.writeControl(value); break; case 0x4011: this.dmc.writeValue(value); break; case 0x4012: this.dmc.writeAddress(value); break; case 0x4013: this.dmc.writeLength(value); break; case 0x400A: this.triangle.writeTimerLow(value); break; case 0x400B: this.triangle.writeTimerHigh(value); break; case 0x400C: this.noise.writeControl(value); break; case 0x400D: break; case 0x400E: this.noise.writePeriod(value); break; case 0x400F: this.noise.writeLength(value); break; case 0x4015: this.writeControl(value); break; case 0x4017: this.writeFrameCounter(value); break; default: break; // default: // log.Fatalf("unhandled apu register write at address: 0x%04X", address) } } void save(string[string] state) { state["apu.cycle"] = to!string(this.cycle); state["apu.framePeriod"] = to!string(this.framePeriod); state["apu.frameValue"] = to!string(this.frameValue); state["apu.frameIRQ"] = to!string(this.frameIRQ); this.pulse1.save(state, "1"); this.pulse2.save(state, "2"); this.triangle.save(state); this.noise.save(state); this.dmc.save(state); } void load(string[string] state) { this.cycle = to!ulong(state["apu.cycle"]); this.framePeriod = to!ubyte(state["apu.framePeriod"]); this.frameValue = to!ubyte(state["apu.frameValue"]); this.frameIRQ = to!bool(state["apu.frameIRQ"]); this.pulse1.load(state, "1"); this.pulse2.load(state, "2"); this.triangle.load(state); this.noise.load(state); this.dmc.load(state); } package: double sampleRate; ApuCallbackFuncType callback; FilterChain filterChain; Console console; Pulse pulse1; Pulse pulse2; Triangle triangle; Noise noise; DMC dmc; ulong cycle; ubyte framePeriod; ubyte frameValue; bool frameIRQ; private: void sendSample() { auto output = this.filterChain.step(this.output()); if (this.callback) this.callback(output); } float output() { auto p1 = this.pulse1.output(); auto p2 = this.pulse2.output(); auto t = this.triangle.output(); auto n = this.noise.output(); auto d = this.dmc.output(); auto pulseOut = pulseTable[p1 + p2]; auto tndOut = tndTable[3 * t + 2 * n + d]; return pulseOut + tndOut; } // mode 0: mode 1: function // --------- ----------- ----------------------------- // - - - f - - - - - IRQ (if bit 6 is clear) // - l - l l - l - - Length counter and sweep // e e e e e e e e - Envelope and linear counter void stepFrameCounter() { switch (this.framePeriod) { case 4: this.frameValue = (this.frameValue + 1) % 4; switch (this.frameValue) { case 0, 2: this.stepEnvelope(); break; case 1: this.stepEnvelope(); this.stepSweep(); this.stepLength(); break; case 3: this.stepEnvelope(); this.stepSweep(); this.stepLength(); this.fireIRQ(); break; default: break; } break; case 5: this.frameValue = (this.frameValue + 1) % 5; switch (this.frameValue) { case 1, 3: this.stepEnvelope(); break; case 0, 2: this.stepEnvelope(); this.stepSweep(); this.stepLength(); break; default: break; } break; default: break; } } void stepTimer() { if (this.cycle % 2 == 0) { this.pulse1.stepTimer(); this.pulse2.stepTimer(); this.noise.stepTimer(); this.dmc.stepTimer(); } this.triangle.stepTimer(); } void stepEnvelope() { this.pulse1.stepEnvelope(); this.pulse2.stepEnvelope(); this.triangle.stepCounter(); this.noise.stepEnvelope(); } void stepSweep() { this.pulse1.stepSweep(); this.pulse2.stepSweep(); } void stepLength() { this.pulse1.stepLength(); this.pulse2.stepLength(); this.triangle.stepLength(); this.noise.stepLength(); } void fireIRQ() { if (this.frameIRQ) { this.console.cpu.triggerIRQ(); } } ubyte readStatus() { ubyte result; if (this.pulse1.lengthValue > 0) { result |= 1; } if (this.pulse2.lengthValue > 0) { result |= 2; } if (this.triangle.lengthValue > 0) { result |= 4; } if (this.noise.lengthValue > 0) { result |= 8; } if (this.dmc.currentLength > 0) { result |= 16; } return result; } void writeControl(ubyte value) { this.pulse1.enabled = (value & 1) == 1; this.pulse2.enabled = (value & 2) == 2; this.triangle.enabled = (value & 4) == 4; this.noise.enabled = (value & 8) == 8; this.dmc.enabled = (value & 16) == 16; if (!this.pulse1.enabled) { this.pulse1.lengthValue = 0; } if (!this.pulse2.enabled) { this.pulse2.lengthValue = 0; } if (!this.triangle.enabled) { this.triangle.lengthValue = 0; } if (!this.noise.enabled) { this.noise.lengthValue = 0; } if (!this.dmc.enabled) { this.dmc.currentLength = 0; } else { if (this.dmc.currentLength == 0) { this.dmc.restart(); } } } void writeFrameCounter(ubyte value) { this.framePeriod = 4 + ((value >> 7) & 1); this.frameIRQ = ((value >> 6) & 1) == 0; // this.frameValue = 0; if (this.framePeriod == 5) { this.stepEnvelope(); this.stepSweep(); this.stepLength(); } } } // Pulse struct Pulse { bool enabled; ubyte channel; bool lengthEnabled; ubyte lengthValue; ushort timerPeriod; ushort timerValue; ubyte dutyMode; ubyte dutyValue; bool sweepReload; bool sweepEnabled; bool sweepNegate; ubyte sweepShift; ubyte sweepPeriod; ubyte sweepValue; bool envelopeEnabled; bool envelopeLoop; bool envelopeStart; ubyte envelopePeriod; ubyte envelopeValue; ubyte envelopeVolume; ubyte constantVolume; void writeControl(ubyte value) { this.dutyMode = (value >> 6) & 3; this.lengthEnabled = ((value >> 5) & 1) == 0; this.envelopeLoop = ((value >> 5) & 1) == 1; this.envelopeEnabled = ((value >> 4) & 1) == 0; this.envelopePeriod = value & 15; this.constantVolume = value & 15; this.envelopeStart = true; } void writeSweep(ubyte value) { this.sweepEnabled = ((value >> 7) & 1) == 1; this.sweepPeriod = ((value >> 4) & 7) + 1; this.sweepNegate = ((value >> 3) & 1) == 1; this.sweepShift = value & 7; this.sweepReload = true; } void writeTimerLow(ubyte value) { this.timerPeriod = (this.timerPeriod & 0xFF00) | cast(ushort)value; } void writeTimerHigh(ubyte value) { this.lengthValue = lengthTable[value >> 3]; this.timerPeriod = (this.timerPeriod & 0x00FF) | (cast(ushort)(value & 7) << 8); this.envelopeStart = true; this.dutyValue = 0; } void stepTimer() { if (this.timerValue == 0) { this.timerValue = this.timerPeriod; this.dutyValue = (this.dutyValue + 1) % 8; } else { this.timerValue--; } } void stepEnvelope() { if (this.envelopeStart) { this.envelopeVolume = 15; this.envelopeValue = this.envelopePeriod; this.envelopeStart = false; } else if (this.envelopeValue > 0) { this.envelopeValue--; } else { if (this.envelopeVolume > 0) { this.envelopeVolume--; } else if (this.envelopeLoop) { this.envelopeVolume = 15; } this.envelopeValue = this.envelopePeriod; } } void stepSweep() { if (this.sweepReload) { if (this.sweepEnabled && this.sweepValue == 0) { this.sweep(); } this.sweepValue = this.sweepPeriod; this.sweepReload = false; } else if (this.sweepValue > 0) { this.sweepValue--; } else { if (this.sweepEnabled) { this.sweep(); } this.sweepValue = this.sweepPeriod; } } void stepLength() { if (this.lengthEnabled && this.lengthValue > 0) { this.lengthValue--; } } void sweep() { auto delta = this.timerPeriod >> this.sweepShift; if (this.sweepNegate) { this.timerPeriod -= delta; if (this.channel == 1) { this.timerPeriod--; } } else { this.timerPeriod += delta; } } ubyte output() { if (!this.enabled) { return 0; } if (this.lengthValue == 0) { return 0; } if (dutyTable[this.dutyMode][this.dutyValue] == 0) { return 0; } if (this.timerPeriod < 8 || this.timerPeriod > 0x7FF) { return 0; } // if (!this.sweepNegate && this.timerPeriod + (this.timerPeriod >> this.sweepShift) > 0x7FF) { // return 0; // } if (this.envelopeEnabled) { return this.envelopeVolume; } else { return this.constantVolume; } } void save(string[string] state, string id) { id = "apu.pulse" ~ id; state[id ~ ".enabled"] = to!string(this.enabled); state[id ~ ".channel"] = to!string(this.channel); state[id ~ ".lengthEnabled"] = to!string(this.lengthEnabled); state[id ~ ".lengthValue"] = to!string(this.lengthValue); state[id ~ ".timerPeriod"] = to!string(this.timerPeriod); state[id ~ ".timerValue"] = to!string(this.timerValue); state[id ~ ".dutyMode"] = to!string(this.dutyMode); state[id ~ ".dutyValue"] = to!string(this.dutyValue); state[id ~ ".sweepReload"] = to!string(this.sweepReload); state[id ~ ".sweepEnabled"] = to!string(this.sweepEnabled); state[id ~ ".sweepNegate"] = to!string(this.sweepNegate); state[id ~ ".sweepShift"] = to!string(this.sweepShift); state[id ~ ".sweepPeriod"] = to!string(this.sweepPeriod); state[id ~ ".sweepValue"] = to!string(this.sweepValue); state[id ~ ".envelopeEnabled"] = to!string(this.envelopeEnabled); state[id ~ ".envelopeLoop"] = to!string(this.envelopeLoop); state[id ~ ".envelopeStart"] = to!string(this.envelopeStart); state[id ~ ".envelopePeriod"] = to!string(this.envelopePeriod); state[id ~ ".envelopeValue"] = to!string(this.envelopeValue); state[id ~ ".envelopeVolume"] = to!string(this.envelopeVolume); state[id ~ ".constantVolume"] = to!string(this.constantVolume); } void load(string[string] state, string id) { id = "apu.pulse" ~ id; this.enabled = to!bool(state[id ~ ".enabled"]); this.channel = to!ubyte(state[id ~ ".channel"]); this.lengthEnabled = to!bool(state[id ~ ".lengthEnabled"]); this.lengthValue = to!ubyte(state[id ~ ".lengthValue"]); this.timerPeriod = to!ushort(state[id ~ ".timerPeriod"]); this.timerValue = to!ushort(state[id ~ ".timerValue"]); this.dutyMode = to!ubyte(state[id ~ ".dutyMode"]); this.dutyValue = to!ubyte(state[id ~ ".dutyValue"]); this.sweepReload = to!bool(state[id ~ ".sweepReload"]); this.sweepEnabled = to!bool(state[id ~ ".sweepEnabled"]); this.sweepNegate = to!bool(state[id ~ ".sweepNegate"]); this.sweepShift = to!ubyte(state[id ~ ".sweepShift"]); this.sweepPeriod = to!ubyte(state[id ~ ".sweepPeriod"]); this.sweepValue = to!ubyte(state[id ~ ".sweepValue"]); this.envelopeEnabled = to!bool(state[id ~ ".envelopeEnabled"]); this.envelopeLoop = to!bool(state[id ~ ".envelopeLoop"]); this.envelopeStart = to!bool(state[id ~ ".envelopeStart"]); this.envelopePeriod = to!ubyte(state[id ~ ".envelopePeriod"]); this.envelopeValue = to!ubyte(state[id ~ ".envelopeValue"]); this.envelopeVolume = to!ubyte(state[id ~ ".envelopeVolume"]); this.constantVolume = to!ubyte(state[id ~ ".constantVolume"]); } } // Triangle struct Triangle { bool enabled; bool lengthEnabled; ubyte lengthValue; ushort timerPeriod; ushort timerValue; ubyte dutyValue; ubyte counterPeriod; ubyte counterValue; bool counterReload; void writeControl(ubyte value) { this.lengthEnabled = ((value >> 7) & 1) == 0; this.counterPeriod = value & 0x7F; } void writeTimerLow(ubyte value) { this.timerPeriod = (this.timerPeriod & 0xFF00) | cast(ushort)value; } void writeTimerHigh(ubyte value) { this.lengthValue = lengthTable[value >> 3]; this.timerPeriod = (this.timerPeriod & 0x00FF) | (cast(ushort)(value & 7) << 8); this.timerValue = this.timerPeriod; this.counterReload = true; } void stepTimer() { if (this.timerValue == 0) { this.timerValue = this.timerPeriod; if (this.lengthValue > 0 && this.counterValue > 0) { this.dutyValue = (this.dutyValue + 1) % 32; } } else { this.timerValue--; } } void stepLength() { if (this.lengthEnabled && this.lengthValue > 0) { this.lengthValue--; } } void stepCounter() { if (this.counterReload) { this.counterValue = this.counterPeriod; } else if (this.counterValue > 0) { this.counterValue--; } if (this.lengthEnabled) { this.counterReload = false; } } ubyte output() { if (!this.enabled) { return 0; } if (this.lengthValue == 0) { return 0; } if (this.counterValue == 0) { return 0; } return triangleTable[this.dutyValue]; } void save(string[string] state) { state["apu.triangle.enabled"] = to!string(this.enabled); state["apu.triangle.lengthEnabled"] = to!string(this.lengthEnabled); state["apu.triangle.lengthValue"] = to!string(this.lengthValue); state["apu.triangle.timerPeriod"] = to!string(this.timerPeriod); state["apu.triangle.timerValue"] = to!string(this.timerValue); state["apu.triangle.dutyValue"] = to!string(this.dutyValue); state["apu.triangle.counterPeriod"] = to!string(this.counterPeriod); state["apu.triangle.counterValue"] = to!string(this.counterValue); state["apu.triangle.counterReload"] = to!string(this.counterReload); } void load(string[string] state) { this.enabled = to!bool(state["apu.triangle.enabled"]); this.lengthEnabled = to!bool(state["apu.triangle.lengthEnabled"]); this.lengthValue = to!ubyte(state["apu.triangle.lengthValue"]); this.timerPeriod = to!ushort(state["apu.triangle.timerPeriod"]); this.timerValue = to!ushort(state["apu.triangle.timerValue"]); this.dutyValue = to!ubyte(state["apu.triangle.dutyValue"]); this.counterPeriod = to!ubyte(state["apu.triangle.counterPeriod"]); this.counterValue = to!ubyte(state["apu.triangle.counterValue"]); this.counterReload = to!bool(state["apu.triangle.counterReload"]); } } // Noise struct Noise { bool enabled; bool mode; ushort shiftRegister; bool lengthEnabled; ubyte lengthValue; ushort timerPeriod; ushort timerValue; bool envelopeEnabled; bool envelopeLoop; bool envelopeStart; ubyte envelopePeriod; ubyte envelopeValue; ubyte envelopeVolume; ubyte constantVolume; void writeControl(ubyte value) { this.lengthEnabled = ((value >> 5) & 1) == 0; this.envelopeLoop = ((value >> 5) & 1) == 1; this.envelopeEnabled = ((value >> 4) & 1) == 0; this.envelopePeriod = value & 15; this.constantVolume = value & 15; this.envelopeStart = true; } void writePeriod(ubyte value) { this.mode = (value & 0x80) == 0x80; this.timerPeriod = noiseTable[value & 0x0F]; } void writeLength(ubyte value) { this.lengthValue = lengthTable[value >> 3]; this.envelopeStart = true; } void stepTimer() { if (this.timerValue == 0) { this.timerValue = this.timerPeriod; ubyte shift; if (this.mode) { shift = 6; } else { shift = 1; } auto b1 = this.shiftRegister & 1; auto b2 = (this.shiftRegister >> shift) & 1; this.shiftRegister >>= 1; this.shiftRegister |= (b1 ^ b2) << 14; } else { this.timerValue--; } } void stepEnvelope() { if (this.envelopeStart) { this.envelopeVolume = 15; this.envelopeValue = this.envelopePeriod; this.envelopeStart = false; } else if (this.envelopeValue > 0) { this.envelopeValue--; } else { if (this.envelopeVolume > 0) { this.envelopeVolume--; } else if (this.envelopeLoop) { this.envelopeVolume = 15; } this.envelopeValue = this.envelopePeriod; } } void stepLength() { if (this.lengthEnabled && this.lengthValue > 0) { this.lengthValue--; } } ubyte output() { if (!this.enabled) { return 0; } if (this.lengthValue == 0) { return 0; } if ((this.shiftRegister & 1) == 1) { return 0; } if (this.envelopeEnabled) { return this.envelopeVolume; } else { return this.constantVolume; } } void save(string[string] state) { state["apu.noise.enabled"] = to!string(this.enabled); state["apu.noise.mode"] = to!string(this.mode); state["apu.noise.shiftRegister"] = to!string(this.shiftRegister); state["apu.noise.lengthEnabled"] = to!string(this.lengthEnabled); state["apu.noise.lengthValue"] = to!string(this.lengthValue); state["apu.noise.timerPeriod"] = to!string(this.timerPeriod); state["apu.noise.timerValue"] = to!string(this.timerValue); state["apu.noise.envelopeEnabled"] = to!string(this.envelopeEnabled); state["apu.noise.envelopeLoop"] = to!string(this.envelopeLoop); state["apu.noise.envelopeStart"] = to!string(this.envelopeStart); state["apu.noise.envelopePeriod"] = to!string(this.envelopePeriod); state["apu.noise.envelopeValue"] = to!string(this.envelopeValue); state["apu.noise.envelopeVolume"] = to!string(this.envelopeVolume); state["apu.noise.constantVolume"] = to!string(this.constantVolume); } void load(string[string] state) { this.enabled = to!bool(state["apu.noise.enabled"]); this.mode = to!bool(state["apu.noise.mode"]); this.shiftRegister = to!ushort(state["apu.noise.shiftRegister"]); this.lengthEnabled = to!bool(state["apu.noise.lengthEnabled"]); this.lengthValue = to!ubyte(state["apu.noise.lengthValue"]); this.timerPeriod = to!ushort(state["apu.noise.timerPeriod"]); this.timerValue = to!ushort(state["apu.noise.timerValue"]); this.envelopeEnabled = to!bool(state["apu.noise.envelopeEnabled"]); this.envelopeLoop = to!bool(state["apu.noise.envelopeLoop"]); this.envelopeStart = to!bool(state["apu.noise.envelopeStart"]); this.envelopePeriod = to!ubyte(state["apu.noise.envelopePeriod"]); this.envelopeValue = to!ubyte(state["apu.noise.envelopeValue"]); this.envelopeVolume = to!ubyte(state["apu.noise.envelopeVolume"]); this.constantVolume = to!ubyte(state["apu.noise.constantVolume"]); } } // DMC struct DMC { CPU cpu; bool enabled; ubyte value; ushort sampleAddress; ushort sampleLength; ushort currentAddress; ushort currentLength; ubyte shiftRegister; ubyte bitCount; ubyte tickPeriod; ubyte tickValue; bool loop; bool irq; void writeControl(ubyte value) { this.irq = (value & 0x80) == 0x80; this.loop = (value & 0x40) == 0x40; this.tickPeriod = dmcTable[value & 0x0F]; } void writeValue(ubyte value) { this.value = value & 0x7F; } void writeAddress(ubyte value) { // Sample address = %11AAAAAA.AA000000 this.sampleAddress = 0xC000 | (cast(ushort)value << 6); } void writeLength(ubyte value) { // Sample length = %0000LLLL.LLLL0001 this.sampleLength = (cast(ushort)value << 4) | 1; } void restart() { this.currentAddress = this.sampleAddress; this.currentLength = this.sampleLength; } void stepTimer() { if (!this.enabled) { return; } this.stepReader(); if (this.tickValue == 0) { this.tickValue = this.tickPeriod; this.stepShifter(); } else { this.tickValue--; } } void stepReader() { if (this.currentLength > 0 && this.bitCount == 0) { this.cpu.stall += 4; this.shiftRegister = this.cpu.read(this.currentAddress); this.bitCount = 8; this.currentAddress++; if (this.currentAddress == 0) { this.currentAddress = 0x8000; } this.currentLength--; if (this.currentLength == 0 && this.loop) { this.restart(); } } } void stepShifter() { if (this.bitCount == 0) { return; } if ((this.shiftRegister & 1) == 1) { if (this.value <= 125) { this.value += 2; } } else { if (this.value >= 2) { this.value -= 2; } } this.shiftRegister >>= 1; this.bitCount--; } ubyte output() { return this.value; } void save(string[string] state) { state["apu.dmc.enabled"] = to!string(this.enabled); state["apu.dmc.value"] = to!string(this.value); state["apu.dmc.sampleAddress"] = to!string(this.sampleAddress); state["apu.dmc.sampleLength"] = to!string(this.sampleLength); state["apu.dmc.currentAddress"] = to!string(this.currentAddress); state["apu.dmc.currentLength"] = to!string(this.currentLength); state["apu.dmc.shiftRegister"] = to!string(this.shiftRegister); state["apu.dmc.bitCount"] = to!string(this.bitCount); state["apu.dmc.tickPeriod"] = to!string(this.tickPeriod); state["apu.dmc.tickValue"] = to!string(this.tickValue); state["apu.dmc.loop"] = to!string(this.loop); state["apu.dmc.irq"] = to!string(this.irq); } void load(string[string] state) { this.enabled = to!bool(state["apu.dmc.enabled"]); this.value = to!ubyte(state["apu.dmc.value"]); this.sampleAddress = to!ushort(state["apu.dmc.sampleAddress"]); this.sampleLength = to!ushort(state["apu.dmc.sampleLength"]); this.currentAddress = to!ushort(state["apu.dmc.currentAddress"]); this.currentLength = to!ushort(state["apu.dmc.currentLength"]); this.shiftRegister = to!ubyte(state["apu.dmc.shiftRegister"]); this.bitCount = to!ubyte(state["apu.dmc.bitCount"]); this.tickPeriod = to!ubyte(state["apu.dmc.tickPeriod"]); this.tickValue = to!ubyte(state["apu.dmc.tickValue"]); this.loop = to!bool(state["apu.dmc.loop"]); this.irq = to!bool(state["apu.dmc.irq"]); } }
D
/Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/.build/debug/Jay.build/OutputStream.swift.o : /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ArrayParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/BooleanParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ByteReader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/CommentParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Consts.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Error.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Extensions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Formatter.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Jay.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeTypeConversions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NullParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NumberParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ObjectParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/OutputStream.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Parser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Reader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/RootParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/StringParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Types.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/.build/debug/Jay.build/OutputStream~partial.swiftmodule : /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ArrayParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/BooleanParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ByteReader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/CommentParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Consts.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Error.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Extensions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Formatter.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Jay.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeTypeConversions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NullParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NumberParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ObjectParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/OutputStream.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Parser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Reader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/RootParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/StringParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Types.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/.build/debug/Jay.build/OutputStream~partial.swiftdoc : /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ArrayParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/BooleanParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ByteReader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/CommentParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Consts.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Error.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Extensions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Formatter.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Jay.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NativeTypeConversions.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NullParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/NumberParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ObjectParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/OutputStream.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Parser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Reader.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/RootParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/StringParser.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/Types.swift /Users/KyleBlazier/Documents/Development/Xcode/ServerSide/Postgres/postgresAPI/Packages/Jay-1.0.1/Sources/Jay/ValueParser.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule
D
module asagi.core.KoiValue; import std.stdio; import std.conv; import asagi.core.KoiObject; import asagi.core.types.KoiBoolean; import asagi.core.types.KoiCharacter; import asagi.core.types.KoiInteger; import asagi.core.types.KoiString; abstract class KoiValue : KoiObject { override KoiBoolean asBoolean() { return new KoiBoolean(true); } override KoiCharacter asCharacter() { return new KoiCharacter(' '); } override KoiInteger asInteger() { return new KoiInteger(0); } override KoiString asString() { return new KoiString(" "); } }
D
/******************************************************************************* A wrapper around POSIX file I/O functionality with convenience extensions. copyright: Copyright (c) 2016-2017 sociomantic labs GmbH. All rights reserved License: Boost Software License Version 1.0. See LICENSE.txt for details. *******************************************************************************/ module dmqnode.storage.engine.overflow.file.DataFile; import dmqnode.storage.engine.overflow.file.PosixFile; /******************************************************************************* Linux `fallocate()` with the modes relevant for `DataFile`. See the manual page for details. Note that `FALLOC_FL.COLLAPSE_RANGE` and `FALLOC_FL.ZERO_RANGE` are supported only on Linux 3.15 or later for certain file systems. *******************************************************************************/ enum FALLOC_FL { /// Default mode, unnamed in the C API ALLOCATE = 0, /// FALLOC_FL_COLLAPSE_RANGE COLLAPSE_RANGE = 0x08, /// FALLOC_FL_ZERO_RANGE ZERO_RANGE = 0x10 } private extern (C) int fallocate( int fd, FALLOC_FL mode, DataFile.off_t offset, DataFile.off_t len ); class DataFile: PosixFile { import core.sys.posix.sys.types: off_t, ssize_t; import unistd = core.sys.posix.unistd: read, write, pread, pwrite; import uio = core.sys.posix.sys.uio: iovec, writev; import ocean.transition; /*************************************************************************** The chunk size for file head truncation: `truncateHead()` removes integer multiples of this amount of bytes from the head of the file. The operating system only allows removing whole logical file system blocks so this value needs to be a multiple of the logical file system block size, which is usually a power of 2. If the logical file system block size is not a power of 2 then the run- time file truncation test using `HeadTruncationTestFile` will fail, and file head truncation will not be supported. (This is, however, much less likely than the OS or file system not supporting file head truncation.) ***************************************************************************/ public const head_truncation_chunk_size = 1 << 20; /*************************************************************************** Constructor, opens or creates the file using `name` as the file name and `dir` as the file directory. `dir` is expected to exist. Params: name = the file name without directory path dir = the directory for the file, expected to exist Throws: FileException on error creating or opening the file. ***************************************************************************/ public this ( cstring dir, cstring name ) { super(dir, name); } /*************************************************************************** Reads or writes `data` from/to the file starting at position `pos`. `pos` is increased by the number of bytes read or written, which is `data.length` - the returned value. Params: data = source or destination buffer to read from or write to, resp. pos = file position, increased by the number of bytes read/written errmsg = error message to use Returns: the number of bytes n in data that have not been transmitted because POSIX `pread` or `pwrite` returned 0. The remaining bytes are `data[$ - n .. $]` so n == 0 indicates that all bytes have been transmitted. Throws: FileException on error. ***************************************************************************/ public size_t ptransmit ( bool output ) ( IOVoid!(output)[] data, ref off_t pos, cstring errmsg, istring file = __FILE__, long line = __LINE__ ) in { assert(pos >= 0); } out (n) { assert(n <= data.length); } body { for (auto left = data; left.length;) { static if (output) alias unistd.pwrite op; else alias unistd.pread op; if (ssize_t n = this.restartInterrupted(op(this.fd, data.ptr, data.length, pos))) { this.enforce(n > 0, errmsg, "", file, line); left = left[n .. $]; pos += n; } else // end of file for pread(); pwrite() should { // return 0 iff data.length is 0 return left.length; } } return 0; } /// ditto alias ptransmit!(false) pread; /// ditto alias ptransmit!(true) pwrite; /*************************************************************************** Reads or writes `data` from/to the file at the current position. Params: data = source or destination buffer to read from or write to, resp. errmsg = error message to use Returns: the number of bytes n in data that have not been transmitted because POSIX `read` or `write` returned 0. The remaining bytes are `data[$ - n .. $]` so n == 0 indicates that all bytes have been transmitted. Throws: FileException on error. ***************************************************************************/ public size_t transmit ( bool output ) ( IOVoid!(output)[] data, cstring errmsg, istring file = __FILE__, long line = __LINE__ ) out (n) { assert(n <= data.length); } body { static if (output) alias unistd.write op; else alias unistd.read op; for (auto left = data; left.length;) { if (ssize_t n = this.restartInterrupted(op(this.fd, left.ptr, left.length))) { this.enforce(n > 0, errmsg, "", file, line); left = left[n .. $]; } else // end of file for read(); write() should { // return 0 iff data.length is 0 return left.length; } } return 0; } /// ditto alias transmit!(false) read; /// ditto alias transmit!(true) write; /*************************************************************************** Writes `data` to the file at the current position. Params: data = vector of buffers to read from errmsg = error message to use Returns: the number of bytes n in data that have not been transmitted because POSIX `writev` returned 0. n == 0 indicates that all bytes have been transmitted. data is adjusted to reference only the remaining chunks. Throws: FileException if op returns a negative value and sets errno to a value different to EINTR. ***************************************************************************/ public size_t writev ( ref IoVec data, cstring errmsg, istring file = __FILE__, long line = __LINE__ ) { while (data.length) { if (ssize_t n = this.restartInterrupted(uio.writev( this.fd, cast(iovec*)data.chunks.ptr, cast(int)data.chunks.length ))) { this.enforce(n > 0, errmsg, "", file, line); data.advance(n); } else // writev() should return 0 iff data.length is 0 { return data.length; } } return 0; } /*************************************************************************** Rounds `n` down to an integer multiple of `head_truncation_chunk_size`, and removes that many bytes from the beginning of the file. This is supported only by Linux 3.15 and later for certain file systems, see the description of the `FALLOC_FL_COLLAPSE_RANGE` mode in the `fallocate` manual for details. The `HeadTruncationTestFile` class in the same package provides a run-time test if this feature is supported. Params: n = the maximum number of bytes to remove from the beginning of the file Returns: the actual number of bytes removed from the file, i.e. `n` rounded down to an integer multiple of `head_truncation_chunk_size`. Throws: FileException on error. ***************************************************************************/ public ulong truncateHead ( ulong n, istring file = __FILE__, long line = __LINE__ ) { if (n < this.head_truncation_chunk_size) return 0; auto collapse_bytes = n / this.head_truncation_chunk_size; assert(collapse_bytes); collapse_bytes *= this.head_truncation_chunk_size; this.log.info("Data file head truncation: Removal of {} bytes " ~ "requested, removing {} bytes.", n, collapse_bytes); this.allocate( FALLOC_FL.COLLAPSE_RANGE, 0, collapse_bytes, "Unable to truncate the file from the beginning", file, line ); return collapse_bytes; } /*************************************************************************** Sets the `len` bytes in the file starting with `offset` to zero. This is supported only by Linux 3.15 and later for certain file systems, see the description of the `FALLOC_FL_ZERO_RANGE` mode in the `fallocate` manual for details. At the time of writing the manual implies that the requirements for `truncateHead()` also satisfy this feature. Params: start = the start offset of the bytes in the file to set to zero len = the number of bytes in the file to set to zero Throws: FileException on error. ***************************************************************************/ public void zeroRange ( off_t start, off_t len, istring file = __FILE__, long line = __LINE__ ) { this.allocate( FALLOC_FL.ZERO_RANGE, start, len, "Unable to set a file range to zero", file, line ); } /*************************************************************************** Calls `fallocate()` with `this.fd`, restarting if interrupted and throwing on error. Params: mode = `fallocate()` mode offset = file range start offset len = file range length Throws: FileException if `fallocate()` indicates an error. ***************************************************************************/ protected void allocate ( FALLOC_FL mode, off_t offset, off_t len, cstring errmsg, istring file = __FILE__, long line = __LINE__ ) { this.enforce( !this.restartInterrupted(.fallocate(this.fd, mode, offset, len)), errmsg, "fallocate", file, line ); } } /******************************************************************************* Evaluates to `const(void)`, if using a D2 compiler and `output` is `true`, or `void` otherwise. *******************************************************************************/ template IOVoid ( bool output ) { version (D_Version2) static if (output) mixin("alias const(void) IOVoid;"); else alias void IOVoid; else alias void IOVoid; } /******************************************************************************* Vector aka. gather output helper; tracks the byte position if `writev()` didn't manage to transfer all data with one call. *******************************************************************************/ struct IoVec { version (D_Version2) { import core.exception: onRangeError; alias onRangeError onArrayBoundsError; } else import ocean.core.ExceptionDefinitions: onArrayBoundsError; import swarm.neo.protocol.socket.uio_const: iovec_const; import ocean.transition; /*************************************************************************** The vector of buffers. Pass to this.chunks.ptr and this.chunks.length to readv()/writev(). ***************************************************************************/ iovec_const[] chunks; /*************************************************************************** The remaining number of bytes to transfer. ***************************************************************************/ size_t length; /*************************************************************************** Adjusts this.chunks and this.length after n bytes have been transferred by readv()/writev() so that this.chunks.ptr and this.chunks.length can be passed to the next call. Resets this instance if n == this.length, i.e. all data have been transferred at once. Does nothing if n is 0. Params: n = the number of bytes that have been transferred according to the return value of readv()/writev() Returns: the number of bytes remaining ( = this.length). In: n must be at most this.length. ***************************************************************************/ size_t advance ( size_t n ) in { assert(n <= this.length); } body { if (n) { if (n == this.length) { this.chunks = null; } else { size_t bytes = 0; foreach (i, ref chunk; this.chunks) { bytes += chunk.iov_len; if (bytes > n) { size_t d = bytes - n; chunk.iov_base += chunk.iov_len - d; chunk.iov_len = d; this.chunks = this.chunks[i .. $]; break; } } } this.length -= n; } return this.length; } /*************************************************************************** Returns this.chunks[i] as a D array. ***************************************************************************/ Const!(void)[] opIndex ( size_t i ) in { if (i >= this.chunks.length) { onArrayBoundsError(__FILE__, __LINE__); } } body { with (this.chunks[i]) return iov_base[0 .. iov_len]; } /*************************************************************************** Sets this.chunks[i] to reference data. ***************************************************************************/ Const!(void)[] opIndexAssign ( Const!(void)[] data, size_t i ) in { if (i >= this.chunks.length) { onArrayBoundsError(__FILE__, __LINE__); } } body { with (this.chunks[i]) { this.length -= iov_len; this.length += data.length; iov_len = data.length; iov_base = data.ptr; } return data; } /**************************************************************************/ import ocean.core.Test: test; unittest { iovec_const[6] iov_buf; Const!(void)[] a = "Die", b = "Katze", c = "tritt", d = "die", e = "Treppe", f = "krumm"; auto iov = typeof(*this)(iov_buf); test(iov.chunks.length == iov_buf.length); iov[0] = a; iov[1] = b; iov[2] = c; iov[3] = d; iov[4] = e; iov[5] = f; test(iov.length == 27); iov.advance(1); test(iov.length == 26); test(iov.chunks.length == 6); test(iov[0] == a[1 .. $]); test(iov[1] == b); test(iov[2] == c); test(iov[3] == d); test(iov[4] == e); test(iov[5] == f); iov.advance(10); test(iov.length == 16); test(iov.chunks.length == 4); test(iov[0] == c[3 .. $]); test(iov[1] == d); test(iov[2] == e); test(iov[3] == f); iov.advance(2); test(iov.length == 14); test(iov.chunks.length == 3); test(iov[0] == d); test(iov[1] == e); test(iov[2] == f); iov.advance(14); test(!iov.chunks.length); } }
D
/Users/patricerapaport/Desktop/swift/adminSQL/Build/Intermediates.noindex/Pods.build/Debug/Alamofire.build/Objects-normal/x86_64/TaskDelegate.o : /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/MultipartFormData.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Timeline.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Alamofire.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Response.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/TaskDelegate.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/SessionDelegate.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/ParameterEncoding.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Validation.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/ResponseSerialization.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/SessionManager.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/AFError.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Notifications.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Result.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Request.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/AppKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreData.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreImage.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/QuartzCore.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/Metal.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/AppKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable2.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gl3.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Math64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationDB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/QD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOBSD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AE.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AIFF.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceAPI.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecACL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/OpenGL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenGL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncCMM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATS.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTrackingArea.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_media.h /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDSchema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds_schema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/Metadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEDRMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowTab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/stab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unpcb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/sbp2/IOFireWireSBP2Lib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/ATASMARTLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITaskLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSNib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ranlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USBSpec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ColorSync.framework/Headers/ColorSync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/reloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/xpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filedesc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-load.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOFramebufferShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ColorSyncDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpenDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfoDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSearchField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTokenField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSecureTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vcmd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSound.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Pasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit_record.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/i2c/IOI2CInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIPlugInInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWorkspace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/trace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/IOSCSIMultimediaCommandsDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSharingService.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGEventSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDisplayFade.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayFade.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecStaticCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MixedMode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTDNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTreeNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStoreCacheNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStoreNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AVLTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/IconStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMovie.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDockTile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncProfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapple.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSInterfaceStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOAppleLabelScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOGUIDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOApplePartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFDiskPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFilterScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsEngine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSQuarantine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIShape.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/pipe.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTType.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/StringCompare.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/KeychainCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CarbonCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/BackupCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/IconsCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PrintCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/SecurityCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsbase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendarDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSCoreDataCoreSpotlightDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPredicateEditorRowTemplate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLibObsolete.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDirectPalette.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectPalette.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/route.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFSerialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFUnserialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/conf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/buf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msgbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/InternetConfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmconfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsalg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSNibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSKeyValueBinding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/compact_unwind_encoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Debugging.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceItemSearching.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPicking.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeFlattening.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CodeSigning.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXTextAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Multiprocessing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextStorageScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSApplicationScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjectScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDocumentScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/NumberFormatting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEMach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/launch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLibIsoch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/arch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentitySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gliDispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTouch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/FixMath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmaci.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmdli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtpi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSHapticFeedback.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOSharedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVDisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserScriptTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADisk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/disk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplayMetal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplayMetal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDLabel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEDataModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMappingModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPDFPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSavePanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrintPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGWindowLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindowLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ncurses_dll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSegmentedCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSearchFieldCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTokenFieldCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextFieldCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImageCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenuItemCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFormCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSActionCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSButtonCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopUpButtonCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableHeaderCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSliderCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDatePickerCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStepperCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBrowserCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLevelIndicatorCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathComponentCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSComboBoxCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorWell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Protocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpellProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSCacheControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kern_control.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unctrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/eisl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDisplayStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/LowMem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPasteboardItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDraggingItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathControlItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCustomTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSButtonTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGroupTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSliderTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPickerTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSharingServicePickerTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPickerTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStepperTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopoverTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCandidateListTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSToolbarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSharingServicePickerToolbarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenuToolbarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStatusItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenuItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTabViewItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSplitViewItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSForm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransformReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDecodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCustomTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncryptTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDigestTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSignVerifyTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/libbsm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkMedium.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOUPSPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevicePlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSQueryGenerationToken.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryToken.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sys_domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableColumn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/shared_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DASession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDraggingSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceCompression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequestExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceItemIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/OSMessageNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustedApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRunningApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSMethodInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceValidation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGRemoteOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGRemoteOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrintOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DiskArbitration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPressureConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDisplayConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverSynchronization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Authorization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableViewRowAction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/connection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommandDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSDerivedAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSExpressionDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSRelationshipDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexElementDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/gmon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CSCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireFamilyCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSButton.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopUpButton.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStatusBarButton.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPDFInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MultiprocessingInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/ev_keymap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/swap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPDFImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCIImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSEPSImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPICTImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCachedImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCustomImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBitmapImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/fp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowTabGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSToolbarItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTouchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStatusBar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resourcevar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signalvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socketvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrubber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/loader.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSlider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFilePromiseProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Finder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextFinder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Coder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSDecoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMigrationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSHelpManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAConstraintLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSInputManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/kext/KextManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpellChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProtocolChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPicker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRulerMarker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSProtocolHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCoercionHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScroller.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTreeController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPageController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextCheckingController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMediaLibraryBrowserController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserDefaultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedResultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSObjectController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDocumentController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTabViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTitlebarAccessoryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSArrayController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDictionaryController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBackgroundActivityScheduler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Timer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CARenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/user.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBrowser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDParameter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAlignmentFeedbackFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADissenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPSConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPSConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDImporter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSATSTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFilePromiseReceiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDriver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/event_status_driver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopover.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortNameServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSpellServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CARemoteLayerServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSInputServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDrawer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/Power.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAOpenGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSClickGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMagnificationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpeechRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpeechSynthesizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dir.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCursor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLevelIndicator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSProgressIndicator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGlyphGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGarbageCollector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRuleEditor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPredicateEditor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmerr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_unistr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificateOIDs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageCardCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageDeviceCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFireWireStorageCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageProtocolCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageControllerCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PLStringFuncs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Threads.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oids.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptStandardSuiteCommands.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/OSServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Headers/CoreServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LaunchServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/TranslationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/DictionaryServices.framework/Headers/DictionaryServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPowerSources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Resources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/IntlResources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandOperationCodes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld_images.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacLocales.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDUsageTables.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Files.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/HFSVolumes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/IOATAStorageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintAETypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHFSFileTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTCoreTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEUserTermTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGEventTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kernel_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Aliases.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/curses.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Processes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Templates.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextAlternatives.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REQUEST_SENSE_Defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLibDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/x509defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationTags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeGlyphs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/SpeechSynthesis.framework/Headers/SpeechSynthesis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LanguageAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LangAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UTCUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/OSUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DateTimeUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/ToolUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityProtocols.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/XPCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/AppKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ldsyms.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Icons.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFileWrapperExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAppleScriptExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/certextensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSNibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Collections.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/AppleUSBDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_MODE_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REPORT_LUNS_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_INQUIRY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_READ_CAPACITY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBHostFamilyDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNodeOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainerOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MachineExceptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Folders.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptObjectSpecifiers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEHelpers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLRenderers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCounters.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKitErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-class.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/UniversalAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeDirectAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/ioss.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXRoleConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXAttributeConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValueConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXNotificationConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXActionConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CodeFragments.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Components.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/FSEvents.framework/Headers/FSEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AppleEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Fonts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptWhoseTests.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCConsts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPSKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDEventServiceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/IOSerialKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintSettingsKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/fat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PEFBinaryFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_format.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dkstat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acct.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEPackObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistantObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelSurfaceConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelClientConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/getsect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SearchKit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Gestalt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreResult.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextCheckingClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkUserClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CARemoteLayerClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextInputClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXUIElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRequirement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPersistentDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLCurrent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOLLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/endpoint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Script.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleScript.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/netport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChangeRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchUpdateRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchDeleteRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSSaveChangesRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontAssetRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchInsertRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/SharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/LSSharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/nlist.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewGridLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPageLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrubberLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gl3ext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gliContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAnimationContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptExecutionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGraphicsContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextInputContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gluContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/glu.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utfconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Quickdraw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenGLView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTabView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGridView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOutlineView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableCellView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrubberItemView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSClipView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableHeaderView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRulerView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSplitView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableRowView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKIndex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMatrix.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBox.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSComboBox.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMergePolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMigrationPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSummary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/Dictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DiskSpaceRecovery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacMemory.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSliderAccessory.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AERegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptSuiteRegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/OpenGLAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Accessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityAuthority.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/activity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/tty.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/module.map /Users/patricerapaport/Desktop/swift/adminSQL/Build/Intermediates.noindex/Pods.build/Debug/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/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/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.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/AppKit.framework/Headers/AppKit.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/patricerapaport/Desktop/swift/adminSQL/Build/Intermediates.noindex/Pods.build/Debug/Alamofire.build/Objects-normal/x86_64/TaskDelegate~partial.swiftmodule : /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/MultipartFormData.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Timeline.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Alamofire.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Response.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/TaskDelegate.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/SessionDelegate.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/ParameterEncoding.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Validation.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/ResponseSerialization.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/SessionManager.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/AFError.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Notifications.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Result.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Request.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/AppKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreData.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreImage.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/QuartzCore.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/Metal.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/AppKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable2.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gl3.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Math64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationDB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/QD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOBSD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AE.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AIFF.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceAPI.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecACL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/OpenGL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenGL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncCMM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATS.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTrackingArea.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_media.h /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDSchema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds_schema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/Metadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEDRMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowTab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/stab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unpcb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/sbp2/IOFireWireSBP2Lib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/ATASMARTLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITaskLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSNib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ranlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USBSpec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ColorSync.framework/Headers/ColorSync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/reloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/xpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filedesc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-load.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOFramebufferShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ColorSyncDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpenDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfoDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSearchField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTokenField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSecureTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vcmd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSound.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Pasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit_record.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/i2c/IOI2CInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIPlugInInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWorkspace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/trace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/IOSCSIMultimediaCommandsDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSharingService.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGEventSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDisplayFade.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayFade.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecStaticCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MixedMode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTDNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTreeNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStoreCacheNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStoreNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AVLTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/IconStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMovie.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDockTile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncProfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapple.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSInterfaceStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOAppleLabelScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOGUIDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOApplePartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFDiskPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFilterScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsEngine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSQuarantine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIShape.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/pipe.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTType.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/StringCompare.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/KeychainCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CarbonCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/BackupCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/IconsCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PrintCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/SecurityCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsbase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendarDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSCoreDataCoreSpotlightDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPredicateEditorRowTemplate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLibObsolete.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDirectPalette.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectPalette.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/route.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFSerialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFUnserialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/conf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/buf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msgbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/InternetConfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmconfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsalg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSNibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSKeyValueBinding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/compact_unwind_encoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Debugging.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceItemSearching.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPicking.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeFlattening.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CodeSigning.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXTextAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Multiprocessing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextStorageScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSApplicationScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjectScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDocumentScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/NumberFormatting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEMach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/launch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLibIsoch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/arch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentitySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gliDispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTouch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/FixMath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmaci.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmdli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtpi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSHapticFeedback.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOSharedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVDisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserScriptTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADisk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/disk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplayMetal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplayMetal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDLabel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEDataModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMappingModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPDFPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSavePanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrintPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGWindowLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindowLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ncurses_dll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSegmentedCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSearchFieldCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTokenFieldCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextFieldCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImageCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenuItemCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFormCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSActionCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSButtonCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopUpButtonCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableHeaderCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSliderCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDatePickerCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStepperCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBrowserCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLevelIndicatorCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathComponentCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSComboBoxCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorWell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Protocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpellProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSCacheControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kern_control.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unctrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/eisl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDisplayStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/LowMem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPasteboardItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDraggingItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathControlItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCustomTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSButtonTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGroupTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSliderTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPickerTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSharingServicePickerTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPickerTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStepperTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopoverTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCandidateListTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSToolbarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSharingServicePickerToolbarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenuToolbarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStatusItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenuItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTabViewItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSplitViewItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSForm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransformReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDecodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCustomTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncryptTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDigestTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSignVerifyTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/libbsm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkMedium.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOUPSPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevicePlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSQueryGenerationToken.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryToken.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sys_domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableColumn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/shared_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DASession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDraggingSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceCompression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequestExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceItemIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/OSMessageNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustedApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRunningApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSMethodInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceValidation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGRemoteOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGRemoteOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrintOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DiskArbitration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPressureConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDisplayConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverSynchronization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Authorization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableViewRowAction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/connection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommandDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSDerivedAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSExpressionDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSRelationshipDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexElementDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/gmon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CSCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireFamilyCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSButton.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopUpButton.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStatusBarButton.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPDFInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MultiprocessingInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/ev_keymap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/swap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPDFImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCIImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSEPSImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPICTImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCachedImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCustomImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBitmapImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/fp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowTabGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSToolbarItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTouchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStatusBar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resourcevar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signalvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socketvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrubber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/loader.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSlider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFilePromiseProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Finder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextFinder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Coder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSDecoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMigrationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSHelpManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAConstraintLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSInputManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/kext/KextManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpellChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProtocolChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPicker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRulerMarker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSProtocolHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCoercionHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScroller.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTreeController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPageController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextCheckingController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMediaLibraryBrowserController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserDefaultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedResultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSObjectController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDocumentController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTabViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTitlebarAccessoryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSArrayController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDictionaryController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBackgroundActivityScheduler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Timer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CARenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/user.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBrowser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDParameter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAlignmentFeedbackFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADissenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPSConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPSConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDImporter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSATSTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFilePromiseReceiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDriver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/event_status_driver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopover.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortNameServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSpellServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CARemoteLayerServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSInputServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDrawer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/Power.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAOpenGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSClickGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMagnificationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpeechRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpeechSynthesizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dir.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCursor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLevelIndicator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSProgressIndicator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGlyphGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGarbageCollector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRuleEditor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPredicateEditor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmerr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_unistr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificateOIDs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageCardCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageDeviceCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFireWireStorageCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageProtocolCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageControllerCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PLStringFuncs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Threads.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oids.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptStandardSuiteCommands.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/OSServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Headers/CoreServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LaunchServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/TranslationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/DictionaryServices.framework/Headers/DictionaryServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPowerSources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Resources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/IntlResources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandOperationCodes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld_images.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacLocales.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDUsageTables.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Files.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/HFSVolumes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/IOATAStorageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintAETypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHFSFileTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTCoreTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEUserTermTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGEventTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kernel_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Aliases.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/curses.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Processes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Templates.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextAlternatives.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REQUEST_SENSE_Defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLibDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/x509defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationTags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeGlyphs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/SpeechSynthesis.framework/Headers/SpeechSynthesis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LanguageAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LangAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UTCUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/OSUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DateTimeUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/ToolUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityProtocols.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/XPCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/AppKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ldsyms.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Icons.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFileWrapperExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAppleScriptExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/certextensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSNibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Collections.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/AppleUSBDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_MODE_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REPORT_LUNS_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_INQUIRY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_READ_CAPACITY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBHostFamilyDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNodeOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainerOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MachineExceptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Folders.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptObjectSpecifiers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEHelpers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLRenderers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCounters.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKitErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-class.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/UniversalAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeDirectAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/ioss.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXRoleConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXAttributeConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValueConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXNotificationConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXActionConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CodeFragments.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Components.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/FSEvents.framework/Headers/FSEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AppleEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Fonts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptWhoseTests.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCConsts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPSKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDEventServiceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/IOSerialKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintSettingsKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/fat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PEFBinaryFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_format.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dkstat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acct.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEPackObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistantObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelSurfaceConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelClientConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/getsect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SearchKit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Gestalt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreResult.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextCheckingClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkUserClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CARemoteLayerClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextInputClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXUIElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRequirement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPersistentDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLCurrent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOLLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/endpoint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Script.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleScript.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/netport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChangeRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchUpdateRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchDeleteRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSSaveChangesRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontAssetRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchInsertRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/SharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/LSSharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/nlist.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewGridLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPageLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrubberLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gl3ext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gliContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAnimationContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptExecutionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGraphicsContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextInputContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gluContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/glu.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utfconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Quickdraw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenGLView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTabView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGridView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOutlineView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableCellView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrubberItemView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSClipView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableHeaderView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRulerView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSplitView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableRowView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKIndex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMatrix.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBox.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSComboBox.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMergePolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMigrationPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSummary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/Dictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DiskSpaceRecovery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacMemory.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSliderAccessory.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AERegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptSuiteRegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/OpenGLAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Accessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityAuthority.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/activity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/tty.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/module.map /Users/patricerapaport/Desktop/swift/adminSQL/Build/Intermediates.noindex/Pods.build/Debug/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/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/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.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/AppKit.framework/Headers/AppKit.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/patricerapaport/Desktop/swift/adminSQL/Build/Intermediates.noindex/Pods.build/Debug/Alamofire.build/Objects-normal/x86_64/TaskDelegate~partial.swiftdoc : /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/MultipartFormData.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Timeline.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/DispatchQueue+Alamofire.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Alamofire.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Response.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/TaskDelegate.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/SessionDelegate.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/ParameterEncoding.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Validation.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/ResponseSerialization.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/SessionManager.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/NetworkReachabilityManager.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/AFError.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Notifications.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Result.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/Request.swift /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Alamofire/Source/ServerTrustPolicy.swift /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/XPC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/IOKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/AppKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-macos.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreData.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreImage.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/QuartzCore.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/Metal.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/AppKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable2.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gl3.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Math64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationDB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USB.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectID.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/QD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOBSD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTD.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AE.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AIFF.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceAPI.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecACL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/OpenGL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenGL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncCMM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPM.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATS.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTrackingArea.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMedia.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_media.h /Users/patricerapaport/Desktop/swift/adminSQL/Pods/Target\ Support\ Files/Alamofire/Alamofire-umbrella.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDSchema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds_schema.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/fasttrap_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt_isa.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkData.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/Metadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEDRMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowTab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/stab.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unpcb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/sbp2/IOFireWireSBP2Lib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/ATASMARTLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITaskLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitLib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSNib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ranlib.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/USBSpec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ColorSync.framework/Headers/ColorSync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/reloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/xpc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filedesc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-load.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureDownload.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/stream/IOStreamShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOFramebufferShared.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ColorSyncDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpenDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfoDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSearchField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTokenField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSecureTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vcmd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSound.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Pasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit_record.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/i2c/IOI2CInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIPlugInInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWorkspace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/trace.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/IOSCSIMultimediaCommandsDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSharingService.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGEventSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventSource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDisplayFade.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayFade.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecStaticCode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MixedMode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDTDNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTreeNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStoreCacheNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStoreNode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicode.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/AVLTree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/IconStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChange.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMovie.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextTable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/hashtable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDockTile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncProfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/profile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapple.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSInterfaceStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOAppleLabelScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOGUIDPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOApplePartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFDiskPartitionScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFilterScheme.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsEngine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSQuarantine.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIShape.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/pipe.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTType.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtype.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/StringCompare.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/KeychainCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CarbonCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/BackupCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/IconsCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PrintCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/SecurityCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStore.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityBase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsbase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendarDate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSCoreDataCoreSpotlightDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPredicateEditorRowTemplate.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDLibObsolete.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDirectPalette.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectPalette.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/route.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValue.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFSerialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFUnserialize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/conf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/buf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msgbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sbuf.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/InternetConfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmconfig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsalg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSNibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSKeyValueBinding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/compact_unwind_encoding.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Debugging.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceItemSearching.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPicking.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeFlattening.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CodeSigning.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXTextAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Multiprocessing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextStorageScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSApplicationScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjectScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDocumentScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowScripting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/NumberFormatting.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSDebug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEMach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/launch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireLibIsoch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/arch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainSearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentitySearch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gliDispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTouch.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/FixMath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmaci.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmdli.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrapi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmcspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/emmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmkrspi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmtpi.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSHapticFeedback.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOSharedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedLock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVDisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSITask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserScriptTask.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADisk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/disk.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplayMetal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplayMetal.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDLabel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEDataModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMappingModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectModel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPDFPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSavePanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrintPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontPanel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGWindowLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindowLevel.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ncurses_dll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSegmentedCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSearchFieldCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTokenFieldCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextFieldCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImageCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenuItemCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFormCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSActionCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSButtonCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopUpButtonCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableHeaderCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSliderCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDatePickerCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStepperCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBrowserCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLevelIndicatorCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathComponentCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSComboBoxCell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorWell.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Protocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpellProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSCacheControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kern_control.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/unctrl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/eisl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDisplayStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayStream.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/vmparam.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/LowMem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_sem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPasteboardItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDraggingItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPathControlItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychainItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCustomTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSButtonTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGroupTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSliderTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPickerTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSharingServicePickerTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPickerTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStepperTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopoverTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCandidateListTouchBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSToolbarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSharingServicePickerToolbarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenuToolbarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStatusItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenuItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTabViewItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSplitViewItem.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/posix_shm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSForm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ColorSync.framework/Headers/ColorSyncTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTransformReadTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDecodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncodeTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCustomTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecEncryptTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecDigestTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecSignVerifyTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/libbsm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkMedium.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_vm.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOUPSPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDevicePlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSQueryGenerationToken.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryToken.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSOpen.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKeychain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sys_domain.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationPlugin.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableColumn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/shared_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DASession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDraggingSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthSession.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceCompression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequestExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceItemIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/OSMessageNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustedApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRunningApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSMethodInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceValidation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGRemoteOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGRemoteOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrintOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DiskArbitration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPressureConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDisplayConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDisplayConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverSynchronization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Authorization.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableViewRowAction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/connection.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCommandDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSDerivedAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSExpressionDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSRelationshipDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptClassDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexElementDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/gmon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CSCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/firewire/IOFireWireFamilyCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSButton.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopUpButton.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStatusBarButton.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPDFInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LSInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MultiprocessingInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/proc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/ev_keymap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/swap.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPDFImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCIImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSEPSImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPICTImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCachedImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCustomImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBitmapImageRep.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/fp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowTabGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSToolbarItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTouchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStatusBar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/resourcevar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/signalvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socketvar.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrubber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/loader.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSlider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFilePromiseProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Finder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextFinder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Coder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSDecoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/CMSEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMigrationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSHelpManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAConstraintLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSInputManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/kext/KextManager.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpellChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProtocolChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorPicker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRulerMarker.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSProtocolHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptCoercionHandler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScroller.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTreeController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPageController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextCheckingController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMediaLibraryBrowserController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserDefaultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedResultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSObjectController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDocumentController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTabViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTitlebarAccessoryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindowController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSArrayController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDictionaryController.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBackgroundActivityScheduler.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Timer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CARenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/user.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBrowser.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDParameter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAlignmentFeedbackFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistributedNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/DiskArbitration.framework/Headers/DADissenter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPSConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPSConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextEncodingConverter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDImporter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSATSTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFilePromiseReceiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBlockStorageDriver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/event_status_driver.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPopover.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPortNameServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSpellServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CARemoteLayerServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSInputServer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDrawer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/Power.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAOpenGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSClickGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMagnificationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpeechRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSpeechSynthesizer.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dir.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXError.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCursor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLevelIndicator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSProgressIndicator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGlyphGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGarbageCollector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRuleEditor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPredicateEditor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleEventDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/cssmerr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_unistr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidsattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificateOIDs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageCardCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageDeviceCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOFireWireStorageCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageProtocolCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOStorageControllerCharacteristics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PLStringFuncs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Threads.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oids.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/mds.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptStandardSuiteCommands.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/HIServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/OSServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Headers/CoreServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/LaunchServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/TranslationServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DriverServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/DictionaryServices.framework/Headers/DictionaryServices.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPowerSources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Resources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/IntlResources.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandOperationCodes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/dyld_images.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UnicodeUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacLocales.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDUsageTables.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Files.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/HFSVolumes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/ata/IOATAStorageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOHIDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintAETypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/libkern/OSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/WSTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsInterfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHFSFileTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/LaunchServices.framework/Headers/UTCoreTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEUserTermTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/audio/IOAudioTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOGraphicsTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGEventTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEventTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kernel_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Aliases.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/curses.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Processes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAsn1Templates.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextAlternatives.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REQUEST_SENSE_Defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMLibDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/x509defs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/AuthorizationTags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrustSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeGlyphs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/SpeechSynthesis.framework/Headers/SpeechSynthesis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LanguageAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/LangAnalysis.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/UTCUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/OSUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DateTimeUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/ToolUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/TextUtils.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityProtocols.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/XPCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/AppKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/ldsyms.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Icons.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFileWrapperExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAppleScriptExtensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/certextensions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSNibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Collections.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/AppleUSBDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_MODE_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_REPORT_LUNS_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_INQUIRY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICmds_READ_CAPACITY_Definitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/scsi/SCSICommandDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/usb/IOUSBHostFamilyDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLNodeOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainerOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MachineExceptions.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Folders.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptObjectSpecifiers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEHelpers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLRenderers.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCounters.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKitErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/objc-class.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOCFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/UniversalAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATSUI.framework/Headers/ATSUnicodeDirectAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/ioss.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IOEthernetStats.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXRoleConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXAttributeConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXValueConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXNotificationConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXActionConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/CodeFragments.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Components.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/FSEvents.framework/Headers/FSEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AppleEvents.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Fonts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptWhoseTests.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/avc/IOFireWireAVCConsts.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/pwr_mgt/IOPMKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/ps/IOPSKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDDeviceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDEventServiceKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/serial/IOSerialKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/PrintCore.framework/Headers/PMPrintSettingsKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IOKitKeys.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/fat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/PEFBinaryFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_format.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dkstat.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/acct.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/Object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AEPackObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDistantObject.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelSurfaceConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/graphics/IOAccelClientConnect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/getsect.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/machine/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/sdt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SearchKit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Gestalt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreResult.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOBDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOCDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IODVDMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/storage/IOMediaBSDClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/IODataQueueClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextCheckingClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/network/IONetworkUserClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CARemoteLayerClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextInputClient.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hid/IOHIDElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/AXUIElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecRequirement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPersistentDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLCurrent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/IOKit.framework/Headers/hidsystem/IOLLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/endpoint.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/ATS.framework/Headers/ATSFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/hfs/hfs_mount.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/Script.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAppleScript.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/oidscert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/device/device_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/netport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChangeRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchUpdateRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchDeleteRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSSaveChangesRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSFontAssetRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchInsertRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/SharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SharedFileList.framework/Headers/LSSharedFileList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSColorList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach-o/nlist.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewGridLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserInterfaceLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSPageLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrubberLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gl3ext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/CGLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gliContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAnimationContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptExecutionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGraphicsContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextInputContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/gluContext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/glu.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/ev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/utfconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/QD.framework/Headers/Quickdraw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOpenGLView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTabView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSGridView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSOutlineView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableCellView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSScrubberItemView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSCollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSClipView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableHeaderView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSRulerView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSplitView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTextView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSTableRowView.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKIndex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSMatrix.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSBox.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSComboBox.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDirectDisplay.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMergePolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMigrationPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/SearchKit.framework/Headers/SKSummary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/LangAnalysis.framework/Headers/Dictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/Metadata.framework/Headers/MDQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/DiskSpaceRecovery.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/CarbonCore.framework/Headers/MacMemory.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSSliderAccessory.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/AE.framework/Headers/AERegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScriptSuiteRegistry.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/OpenGL.framework/Headers/OpenGLAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/HIServices.framework/Headers/Accessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentityAuthority.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreServices.framework/Frameworks/OSServices.framework/Headers/CSIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/activity.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/sys/tty.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/module.map /Users/patricerapaport/Desktop/swift/adminSQL/Build/Intermediates.noindex/Pods.build/Debug/Alamofire.build/unextended-module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/lib/swift/shims/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/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.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/ApplicationServices.framework/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.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/AppKit.framework/Headers/AppKit.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
const int SPL_COST_PALLIGHT = 5; const int SPL_COST_LIGHT = 1; const int SPL_DURATION_PALLIGHT = 5; const int SPL_DURATION_LIGHT = 5; instance SPELL_LIGHT(C_SPELL_PROTO) { time_per_mana = 500; spelltype = SPELL_NEUTRAL; targetcollectalgo = TARGET_COLLECT_NONE; targetcollectrange = 0; targetcollectazi = 0; targetcollectelev = 0; }; instance SPELL_PALLIGHT(C_SPELL_PROTO) { time_per_mana = 500; spelltype = SPELL_NEUTRAL; targetcollectalgo = TARGET_COLLECT_NONE; targetcollectrange = 0; targetcollectazi = 0; targetcollectelev = 0; }; func int spell_logic_pallight(var int manainvested) { if(self.attribute[ATR_MANA] >= SPL_COST_PALLIGHT) { return SPL_SENDCAST; }; return SPL_SENDSTOP; }; func void spell_cast_pallight() { self.attribute[ATR_MANA] = self.attribute[ATR_MANA] - SPL_COST_PALLIGHT; }; func int spell_logic_light(var int manainvested) { if(self.attribute[ATR_MANA] >= SPL_COST_LIGHT) { return SPL_SENDCAST; }; return SPL_SENDSTOP; }; func void spell_cast_light() { self.attribute[ATR_MANA] = self.attribute[ATR_MANA] - SPL_COST_LIGHT; };
D
// ******************* // C_WantToAttackThief // ******************* func int C_WantToAttackThief (var C_NPC slf, var C_NPC oth) { // ------ ausgenommeme Gilden ------ // ------ NSC ignoriert Diebstahl ------ if (slf.aivar[AIV_IGNORE_Theft] == TRUE) { return FALSE; }; if (B_GetAivar(slf, AIV_LastFightAgainstPlayer) == FIGHT_LOST) { return FALSE; }; // ------ Tšter war Player und ich bin NPCType_Friend ------ if ( Npc_IsPlayer(oth) && (slf.npctype == NPCTYPE_FRIEND) ) { return FALSE; }; // ------ Torwachen bleiben stehen, memorizen aber Theft ------ if (C_NpcIsGateGuard(slf)) { return FALSE; }; return TRUE; };
D
/* * This file is part of EvinceD. * EvinceD is based on GtkD. * * EvinceD is free software; you can redistribute it and/or modify * it under the terms of the GNU Lesser General Public License * as published by the Free Software Foundation; either version 3 * of the License, or (at your option) any later version, with * some exceptions, please read the COPYING file. * * EvinceD is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with EvinceD; if not, write to the Free Software * Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110, USA */ // generated automatically - do not change // find conversion definition on APILookup.txt module evince.document.FileExporterIF; private import evince.document.RenderContext; private import evince.document.c.functions; public import evince.document.c.types; /** */ public interface FileExporterIF{ /** Get the main Gtk struct */ public EvFileExporter* getFileExporterStruct(bool transferOwnership = false); /** the main Gtk struct as a void* */ protected void* getStruct(); /** */ public static GType getType() { return ev_file_exporter_get_type(); } /** */ public void begin(EvFileExporterContext* fc); /** */ public void beginPage(); /** */ public void doPage(RenderContext rc); /** */ public void end(); /** */ public void endPage(); /** */ public EvFileExporterCapabilities getCapabilities(); }
D
//module framework.gui; import std.c.stdio; import std.c.stdlib; import std.utf; import framework.c.windows; import framework.implementation.gui.graphics; import framework.implementation.gui.menu; import framework.implementation.gui.window; import framework.implementation.gui.form; import framework.implementation.gui.statedwindow; import framework.implementation.gui.automatedform; import framework.implementation.gui.toolbox; import framework.implementation.gui.dockmanager; import framework.implementation.gui.treeview; import framework.implementation.gui.grid; import framework.implementation.gui.datacontrols; // extern (C) void* memset(void*, int, uint);
D
/** * Copyright: Copyright (c) 2011 Jacob Carlborg. All rights reserved. * Authors: Jacob Carlborg * Version: Initial created: Aug 6, 2011 * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0) */ module tests.Pointer; import orange.serialization.Serializer; import orange.serialization.archives.XmlArchive; import orange.test.UnitTester; import tests.Util; Serializer serializer; XmlArchive!(char) archive; class F { int value; int* ptr; int* ptr2; } F f; F fDeserialized; int pointee; class OutOfOrder { int* ptr; int value; int* ptr2; } OutOfOrder outOfOrder; OutOfOrder outOfOrderDeserialized; int outOfOrderPointee; unittest { archive = new XmlArchive!(char); serializer = new Serializer(archive); pointee = 3; f = new F; f.value = 9; f.ptr = &f.value; f.ptr2 = &pointee; outOfOrderPointee = 3; outOfOrder = new OutOfOrder; outOfOrder.value = 9; outOfOrder.ptr = &outOfOrder.value; outOfOrder.ptr2 = &outOfOrderPointee; describe("serialize pointer") in { it("should return a serialized pointer") in { serializer.reset(); serializer.serialize(f); assert(archive.data().containsDefaultXmlContent()); assert(archive.data().containsXmlTag("object", `runtimeType="tests.Pointer.F" type="tests.Pointer.F" key="0" id="0"`)); assert(archive.data().containsXmlTag("int", `key="value" id="1"`, "9")); assert(archive.data().containsXmlTag("pointer", `key="ptr" id="2"`)); assert(archive.data().containsXmlTag("reference", `key="1"`, "1")); assert(archive.data().containsXmlTag("pointer", `key="ptr2" id="3"`)); assert(archive.data().containsXmlTag("int", `key="2" id="4"`, "3")); }; }; describe("deserialize pointer") in { fDeserialized = serializer.deserialize!(F)(archive.untypedData); it("should return a deserialized pointer equal to the original pointer") in { assert(*f.ptr == *fDeserialized.ptr); }; it("the pointer should point to the deserialized value") in { assert(fDeserialized.ptr == &fDeserialized.value); }; }; describe("serialize pointer out of order") in { it("should return a serialized pointer") in { serializer.reset(); serializer.serialize(outOfOrder); assert(archive.data().containsDefaultXmlContent()); assert(archive.data().containsXmlTag("object", `runtimeType="tests.Pointer.OutOfOrder" type="tests.Pointer.OutOfOrder" key="0" id="0"`)); assert(archive.data().containsXmlTag("pointer", `key="ptr" id="1"`)); assert(archive.data().containsXmlTag("int", `key="1" id="2"`, "9")); assert(archive.data().containsXmlTag("reference", `key="value"`, "1")); assert(archive.data().containsXmlTag("pointer", `key="ptr2" id="4"`)); assert(archive.data().containsXmlTag("int", `key="2" id="5"`, "3")); }; }; describe("deserialize pointer out of order") in { outOfOrderDeserialized = serializer.deserialize!(OutOfOrder)(archive.untypedData); it("should return a deserialized pointer equal to the original pointer") in { assert(*outOfOrder.ptr == *outOfOrderDeserialized.ptr); }; it("the pointer should point to the deserialized value") in { assert(outOfOrderDeserialized.ptr == &outOfOrderDeserialized.value); }; }; }
D
P, BAR 8.1600 8.1357 4.5772 0.6851
D
module UnrealScript.TribesGame.TrDmgType_TCN4SMG_MKD; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.TribesGame.TrDmgType_Bullet; extern(C++) interface TrDmgType_TCN4SMG_MKD : TrDmgType_Bullet { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.TrDmgType_TCN4SMG_MKD")); } private static __gshared TrDmgType_TCN4SMG_MKD mDefaultProperties; @property final static TrDmgType_TCN4SMG_MKD DefaultProperties() { mixin(MGDPC("TrDmgType_TCN4SMG_MKD", "TrDmgType_TCN4SMG_MKD TribesGame.Default__TrDmgType_TCN4SMG_MKD")); } }
D
/+ The MIT License (MIT) Copyright (c) <2013> <Oleg Butko (deviator), Anton Akzhigitov (Akzwar)> 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 desgui.core.context; public import desgui.core.except; public import desgui.core.draw; public import desgui.core.textrender; interface DiContext { @property DiDrawStack drawStack(); @property DiGlyphRender baseGlyphRender(); @property DiDrawFactory draw(); } version(unittest) { import desil; package { class TestDrawStack : DiDrawStack { private: const(DiViewport)[] cur; irect[] work; public: irect push( in DiViewport w ) { cur ~= w; if( work.length == 0 ) work ~= w.rect; work ~= work[$-1].overlapLocal( w.rect ); return work[$-1]; } void pull() { cur = cur[0 .. $-1]; work = work[0 .. $-1]; } } class TestDrawFactory : DiDrawFactory { @property DiDrawRect rect() { return new TestDrawRect; } } class TestSubstrate : DiSubstrate { void draw() {} void idle( float dt ) {} void reshape( in irect r ) {} } class TestStyle : DiStyle { DiSubstrate getSubstrate( string name ) { return new TestSubstrate(); } } class TestContext : DiContext { DiDrawStack ds; DiGlyphRender gr; DiDrawFactory df; this() { ds = new TestDrawStack; gr = new TestGlyphRender; df = new TestDrawFactory; } @property DiDrawStack drawStack() { return ds; } @property DiGlyphRender baseGlyphRender() { return gr; } @property DiDrawFactory draw() { return df; } } static Image screen; void clearScreen(){ screen = Image( imsize_t(100, 20), ImageType( ImCompType.UBYTE, 1 ) ); } static this(){ clearScreen(); } class TestDrawRect: DiDrawRect { private: Image tex; UseTexture ut; irect rr; col4 clr; public: this( irect r=irect(0,0,1,1) ) { rr = r; tex = Image( imsize_t(r.size), ImageType( ImCompType.UBYTE, 1 ) ); } @property { ref UseTexture useTexture() { return ut; } ref const(UseTexture) useTexture() const { return ut; } irect rect() const{ return rr; } col4 color() const { return clr; } void color( in col4 c ){ clr = c; } } void draw(){ screen.paste( rr.pos, tex ); } void reshape( in irect r ){ rr = r; } void image( in Image im ){ tex = Image(im); } void image( in ImageReadAccess im ){ tex = Image(im.selfImage()); } } } }
D
/* TEST_OUTPUT: --- fail_compilation/enum_function.d(10): Error: function cannot have enum storage class fail_compilation/enum_function.d(11): Error: function cannot have enum storage class fail_compilation/enum_function.d(12): Error: function cannot have enum storage class fail_compilation/enum_function.d(13): Error: function cannot have enum storage class --- */ enum void f1() { return; } enum f2() { return 5; } enum f3() => 5; enum int f4()() => 5;
D
/* * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you 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.shiro.event.support.EventClassComparator; import hunt.shiro.event.support.SingleArgumentMethodEventListener; import hunt.util.Comparator; import hunt.Exceptions; import hunt.logging.Logger; /** * Compares two event classes based on their position in a class hierarchy. Classes higher up in a hierarchy are * 'greater than' (ordered later) than classes lower in a hierarchy (ordered earlier). Classes in unrelated * hierarchies have the same order priority. * <p/> * Event bus implementations use this comparator to determine which event listener method to invoke when polymorphic * listener methods are defined: * <p/> * If two event classes exist A and B, where A is the parent class of B (and B is a subclass of A) and an event * subscriber listens to both events: * <pre> * &#64;Subscribe * void onEvent(A a) { ... } * * &#64;Subscribe * void onEvent(B b) { ... } * </pre> * * The {@code onEvent(B b)} method will be invoked on the subscriber and the * {@code onEvent(A a)} method will <em>not</em> be invoked. This is to prevent multiple dispatching of a single event * to the same consumer. * <p/> * The EventClassComparator is used to order listener method priority based on their event argument class - methods * handling event subclasses have higher precedence than superclasses. * * @since 1.3 */ class EventClassComparator : Comparator!TypeInfo_Class { int compare(TypeInfo_Class a, TypeInfo_Class b) { try { if (a is null) { if (b is null) { return 0; } else { return -1; } } else if (b is null) { return 1; } else if (a is b || a.opEquals(b)) { return 0; } else { implementationMissing(false); return 0; // if (a.isAssignableFrom(b)) { // return 1; // } else if (b.isAssignableFrom(a)) { // return -1; // } else { // return 0; // } } } catch(Exception ex) { warning(ex.msg); return 0; } } }
D
module deep_ocean_water; import std.random; import std.stdio; import std.string; import game; import sgogl; import animation; import vector; import wall; import agent; class Deep_ocean_water_1 : Wall { static bool type_initialized = false; static uint image_1, image_2, image_3, image_4; static void initialize_type(){ if(!type_initialized){ type_initialized = true; // writeln("initialize"); image_1 = gr_load_image("assets/walls/water/deep_ocean_water_1_1.png".toStringz, 0); image_2 = gr_load_image("assets/walls/water/deep_ocean_water_1_2.png".toStringz, 0); image_3 = gr_load_image("assets/walls/water/deep_ocean_water_1_3.png".toStringz, 0); image_4 = gr_load_image("assets/walls/water/deep_ocean_water_1_4.png".toStringz, 0); } } this(){ uint image = 0; switch(uniform!"[]"(1, 4)){ default: case 1: animation = new Animation([image_1, image_2, image_3, image_4], uniform!"[]"(0.8, 1.2), Vector2f(0,0), Vector2f(1,1)); break; case 2: animation = new Animation([image_3, image_1, image_4, image_2], uniform!"[]"(0.8, 1.2), Vector2f(0,0), Vector2f(1,1)); break; case 3: animation = new Animation([image_2, image_4, image_3, image_1], uniform!"[]"(0.8, 1.2), Vector2f(0,0), Vector2f(1,1)); break; case 4: animation = new Animation([image_4, image_3, image_2, image_1], uniform!"[]"(0.8, 1.2), Vector2f(0,0), Vector2f(1,1)); break; } } override string name(){ return "Ocean water"; } override string description(){ return "Too deep to walk in. If only you could swim..."; } override string standard_article(){ return "some"; } }
D
/* * Copyright 2010 Tomas Wilhelmsson <tomas.wilhelmsson@gmail.com> * All rights reserved. Distributed under the terms of the MIT license. */ module Be.Support.DataIO; import Be.Support.SupportDefs; import Be.Support.types; import Be.Support.BObject; import tango.stdc.posix.sys.types; extern (C) extern { // BDataIOProxy * be_BDataIO_ctor(void *bindInstPtr); void * be_BDataIO_ctor(void *bindInstPtr); // void be_BDataIO_dtor(BDataIO* self); void be_BDataIO_dtor(void* self); // ssize_t be_BDataIO_Read(BDataIOProxy *self, void * buffer, size_t size); ssize_t be_BDataIO_Read(void *self, void * buffer, size_t size); // ssize_t be_BDataIO_Write(BDataIOProxy *self, const void * buffer, size_t size); ssize_t be_BDataIO_Write(void *self, void * buffer, size_t size); } extern (C) extern { // BPositionIOProxy * be_BPositionIO_ctor(void *bindInstPtr); void * be_BPositionIO_ctor(void *bindInstPtr); // void be_BPositionIO_dtor(BPositionIO* self); void be_BPositionIO_dtor(void* self); // ssize_t be_BPositionIO_Read(BPositionIOProxy *self, void * buffer, size_t size); ssize_t be_BPositionIO_Read(void *self, void * buffer, size_t size); // ssize_t be_BPositionIO_Write(BPositionIOProxy *self, const void * buffer, size_t size); ssize_t be_BPositionIO_Write(void *self, void * buffer, size_t size); // ssize_t be_BPositionIO_ReadAt(BPositionIOProxy *self, off_t position, void * buffer, size_t size); ssize_t be_BPositionIO_ReadAt(void *self, off_t position, void * buffer, size_t size); // ssize_t be_BPositionIO_WriteAt(BPositionIOProxy *self, off_t position, const void * buffer, size_t size); ssize_t be_BPositionIO_WriteAt(void *self, off_t position, void * buffer, size_t size); // off_t be_BPositionIO_Seek(BPositionIOProxy *self, off_t position, uint32 seekMode); off_t be_BPositionIO_Seek(void *self, off_t position, uint32 seekMode); // off_t be_BPositionIO_Position(BPositionIOProxy *self); off_t be_BPositionIO_Position(void *self); // status_t be_BPositionIO_SetSize(BPositionIOProxy *self, off_t size); status_t be_BPositionIO_SetSize(void *self, off_t size); // status_t be_BPositionIO_GetSize(BPositionIOProxy *self, off_t * size); status_t be_BPositionIO_GetSize(void *self, off_t * size); } extern (C) extern { // BMemoryIOProxy * be_BMemoryIO_ctor(void *bindInstPtr, void * data, size_t length); void * be_BMemoryIO_ctor(void *bindInstPtr, void * data, size_t length); // BMemoryIOProxy * be_BMemoryIO_ctor_1(void *bindInstPtr, const void * data, size_t length); void * be_BMemoryIO_ctor_1(void *bindInstPtr, void * data, size_t length); // void be_BMemoryIO_dtor(BMemoryIO* self); void be_BMemoryIO_dtor(void* self); // ssize_t be_BMemoryIO_ReadAt(BMemoryIOProxy *self, off_t position, void * buffer, size_t size); ssize_t be_BMemoryIO_ReadAt(void *self, off_t position, void * buffer, size_t size); // ssize_t be_BMemoryIO_WriteAt(BMemoryIOProxy *self, off_t position, const void * buffer, size_t size); ssize_t be_BMemoryIO_WriteAt(void *self, off_t position, void * buffer, size_t size); // off_t be_BMemoryIO_Seek(BMemoryIOProxy *self, off_t position, uint32 seekMode); off_t be_BMemoryIO_Seek(void *self, off_t position, uint32 seekMode); // off_t be_BMemoryIO_Position(BMemoryIOProxy *self); off_t be_BMemoryIO_Position(void *self); // status_t be_BMemoryIO_SetSize(BMemoryIOProxy *self, off_t size); status_t be_BMemoryIO_SetSize(void *self, off_t size); } extern (C) extern { // BMallocIOProxy * be_BMallocIO_ctor(void *bindInstPtr); void * be_BMallocIO_ctor(void *bindInstPtr); // void be_BMallocIO_dtor(BMallocIO* self); void be_BMallocIO_dtor(void* self); // ssize_t be_BMallocIO_ReadAt(BMallocIOProxy *self, off_t position, void * buffer, size_t size); ssize_t be_BMallocIO_ReadAt(void *self, off_t position, void * buffer, size_t size); // ssize_t be_BMallocIO_WriteAt(BMallocIOProxy *self, off_t position, const void * buffer, size_t size); ssize_t be_BMallocIO_WriteAt(void *self, off_t position, void * buffer, size_t size); // off_t be_BMallocIO_Seek(BMallocIOProxy *self, off_t position, uint32 seekMode); off_t be_BMallocIO_Seek(void *self, off_t position, uint32 seekMode); // off_t be_BMallocIO_Position(BMallocIOProxy *self); off_t be_BMallocIO_Position(void *self); // status_t be_BMallocIO_SetSize(BMallocIOProxy *self, off_t size); status_t be_BMallocIO_SetSize(void *self, off_t size); // void be_BMallocIO_SetBlockSize(BMallocIOProxy *self, size_t blockSize); void be_BMallocIO_SetBlockSize(void *self, size_t blockSize); // const void * be_BMallocIO_Buffer(BMallocIOProxy *self); void * be_BMallocIO_Buffer(void *self); // size_t be_BMallocIO_BufferLength(BMallocIOProxy *self); size_t be_BMallocIO_BufferLength(void *self); } extern (C) { ssize_t bind_BDataIO_Read(void *bindInstPtr, void * buffer, size_t size) { auto x = buffer[0..size]; return (cast(BDataIO)bindInstPtr).Read(x, size); } ssize_t bind_BDataIO_Write(void *bindInstPtr, void * buffer, size_t size) { return (cast(BDataIO)bindInstPtr).Write(buffer[0..size], size); } } extern (C) { ssize_t bind_BPositionIO_Read(void *bindInstPtr, void * buffer, size_t size) { auto x = buffer[0..size]; return (cast(BPositionIO)bindInstPtr).Read(x, size); } ssize_t bind_BPositionIO_Write(void *bindInstPtr, void * buffer, size_t size) { return (cast(BPositionIO)bindInstPtr).Write(buffer[0..size], size); } ssize_t bind_BPositionIO_ReadAt(void *bindInstPtr, off_t position, void * buffer, size_t size) { auto x = buffer[0..size]; return (cast(BPositionIO)bindInstPtr).ReadAt(position, x, size); } ssize_t bind_BPositionIO_WriteAt(void *bindInstPtr, off_t position, void * buffer, size_t size) { return (cast(BPositionIO)bindInstPtr).WriteAt(position, buffer[0..size], size); } off_t bind_BPositionIO_Seek(void *bindInstPtr, off_t position, uint32 seekMode) { return (cast(BPositionIO)bindInstPtr).Seek(position, seekMode); } off_t bind_BPositionIO_Position(void *bindInstPtr) { return (cast(BPositionIO)bindInstPtr).Position(); } status_t bind_BPositionIO_SetSize(void *bindInstPtr, off_t size) { return (cast(BPositionIO)bindInstPtr).SetSize(size); } status_t bind_BPositionIO_GetSize(void *bindInstPtr, off_t * size) { return (cast(BPositionIO)bindInstPtr).GetSize(*size); } } extern (C) { ssize_t bind_BMemoryIO_ReadAt(void *bindInstPtr, off_t position, void * buffer, size_t size) { auto x = buffer[0..size]; return (cast(BMemoryIO)bindInstPtr).ReadAt(position, x, size); } ssize_t bind_BMemoryIO_WriteAt(void *bindInstPtr, off_t position, void * buffer, size_t size) { return (cast(BMemoryIO)bindInstPtr).WriteAt(position, buffer[0..size], size); } off_t bind_BMemoryIO_Seek(void *bindInstPtr, off_t position, uint32 seekMode) { return (cast(BMemoryIO)bindInstPtr).Seek(position, seekMode); } off_t bind_BMemoryIO_Position(void *bindInstPtr) { return (cast(BMemoryIO)bindInstPtr).Position(); } status_t bind_BMemoryIO_SetSize(void *bindInstPtr, off_t size) { return (cast(BMemoryIO)bindInstPtr).SetSize(size); } } extern (C) { ssize_t bind_BMallocIO_ReadAt(void *bindInstPtr, off_t position, void * buffer, size_t size) { auto x = buffer[0..size]; return (cast(BMallocIO)bindInstPtr).ReadAt(position, x, size); } ssize_t bind_BMallocIO_WriteAt(void *bindInstPtr, off_t position, void * buffer, size_t size) { return (cast(BMallocIO)bindInstPtr).WriteAt(position, buffer[0..size], size); } off_t bind_BMallocIO_Seek(void *bindInstPtr, off_t position, uint32 seekMode) { return (cast(BMallocIO)bindInstPtr).Seek(position, seekMode); } off_t bind_BMallocIO_Position(void *bindInstPtr) { return (cast(BMallocIO)bindInstPtr).Position(); } status_t bind_BMallocIO_SetSize(void *bindInstPtr, off_t size) { return (cast(BMallocIO)bindInstPtr).SetSize(size); } } interface IBDataIO { // ssize_t be_BDataIO_Read(BDataIO *self, void * buffer, size_t size); ssize_t Read(inout void [], size_t); // ssize_t be_BDataIO_Write(BDataIO *self, const void * buffer, size_t size); ssize_t Write(void [], size_t); void * _InstPtr(); void _InstPtr(void *ptr); bool _OwnsPtr(); void _OwnsPtr(bool value); } class BDataIO : IBDataIO { private: void *fInstancePointer = null; bool fOwnsPointer = false; mixin(BObject!()); public: // BDataIOProxy * be_BDataIO_ctor(void *bindInstPtr); this() { if(_InstPtr is null) { _InstPtr = be_BDataIO_ctor(cast(void *)this); _OwnsPtr = true; } } // void be_BDataIO_dtor(BDataIO* self); ~this() { if(_InstPtr !is null && _OwnsPtr) { be_BDataIO_dtor(_InstPtr()); _InstPtr = null; _OwnsPtr = false; } } // ssize_t be_BDataIO_Read(BDataIO *self, void * buffer, size_t size); ssize_t Read(inout void [] buffer, size_t size) { return be_BDataIO_Read(_InstPtr(), buffer.ptr, size); } // ssize_t be_BDataIO_Write(BDataIO *self, const void * buffer, size_t size); ssize_t Write(void [] buffer, size_t size) { return be_BDataIO_Write(_InstPtr(), buffer.ptr, size); } void * _InstPtr() { return fInstancePointer; } void _InstPtr(void *ptr) { fInstancePointer = ptr; } bool _OwnsPtr() { return fOwnsPointer; } void _OwnsPtr(bool value) { fOwnsPointer = value; } } interface IBPositionIO { // ssize_t be_BPositionIO_Read(BPositionIO *self, void * buffer, size_t size); ssize_t Read(inout void [], size_t); // ssize_t be_BPositionIO_Write(BPositionIO *self, const void * buffer, size_t size); ssize_t Write(void [], size_t); // ssize_t be_BPositionIO_ReadAt(BPositionIO *self, off_t position, void * buffer, size_t size); ssize_t ReadAt(off_t, inout void [], size_t); // ssize_t be_BPositionIO_WriteAt(BPositionIO *self, off_t position, const void * buffer, size_t size); ssize_t WriteAt(off_t, void [], size_t); // off_t be_BPositionIO_Seek(BPositionIO *self, off_t position, uint32 seekMode); off_t Seek(off_t, uint32); // off_t be_BPositionIO_Position(BPositionIO *self); off_t Position(); // status_t be_BPositionIO_SetSize(BPositionIO *self, off_t size); status_t SetSize(off_t); // status_t be_BPositionIO_GetSize(BPositionIO *self, off_t * size); status_t GetSize(inout off_t); void * _InstPtr(); void _InstPtr(void *ptr); bool _OwnsPtr(); void _OwnsPtr(bool value); } class BPositionIO : BDataIO, IBPositionIO { private: void *fInstancePointer = null; bool fOwnsPointer = false; mixin(BObject!()); public: // BPositionIOProxy * be_BPositionIO_ctor(void *bindInstPtr); this() { if(_InstPtr is null) { _InstPtr = be_BPositionIO_ctor(cast(void *)this); _OwnsPtr = true; } super(); } // void be_BPositionIO_dtor(BPositionIO* self); ~this() { if(_InstPtr !is null && _OwnsPtr) { be_BPositionIO_dtor(_InstPtr()); _InstPtr = null; _OwnsPtr = false; } } // ssize_t be_BPositionIO_Read(BPositionIO *self, void * buffer, size_t size); ssize_t Read(inout void [] buffer, size_t size) { return be_BPositionIO_Read(_InstPtr(), buffer.ptr, size); } // ssize_t be_BPositionIO_Write(BPositionIO *self, const void * buffer, size_t size); ssize_t Write(void [] buffer, size_t size) { return be_BPositionIO_Write(_InstPtr(), buffer.ptr, size); } // ssize_t be_BPositionIO_ReadAt(BPositionIO *self, off_t position, void * buffer, size_t size); ssize_t ReadAt(off_t position, inout void [] buffer, size_t size) { return be_BPositionIO_ReadAt(_InstPtr(), position, buffer.ptr, size); } // ssize_t be_BPositionIO_WriteAt(BPositionIO *self, off_t position, const void * buffer, size_t size); ssize_t WriteAt(off_t position, void [] buffer, size_t size) { return be_BPositionIO_WriteAt(_InstPtr(), position, buffer.ptr, size); } // off_t be_BPositionIO_Seek(BPositionIO *self, off_t position, uint32 seekMode); off_t Seek(off_t position, uint32 seekMode) { return be_BPositionIO_Seek(_InstPtr(), position, seekMode); } // off_t be_BPositionIO_Position(BPositionIO *self); off_t Position() { return be_BPositionIO_Position(_InstPtr()); } // status_t be_BPositionIO_SetSize(BPositionIO *self, off_t size); status_t SetSize(off_t size) { return be_BPositionIO_SetSize(_InstPtr(), size); } // status_t be_BPositionIO_GetSize(BPositionIO *self, off_t * size); status_t GetSize(inout off_t size) { return be_BPositionIO_GetSize(_InstPtr(), &size); } void * _InstPtr() { return fInstancePointer; } void _InstPtr(void *ptr) { fInstancePointer = ptr; } bool _OwnsPtr() { return fOwnsPointer; } void _OwnsPtr(bool value) { fOwnsPointer = value; } } interface IBMemoryIO { // ssize_t be_BMemoryIO_ReadAt(BMemoryIO *self, off_t position, void * buffer, size_t size); ssize_t ReadAt(off_t, inout void [], size_t); // ssize_t be_BMemoryIO_WriteAt(BMemoryIO *self, off_t position, const void * buffer, size_t size); ssize_t WriteAt(off_t, void [], size_t); // off_t be_BMemoryIO_Seek(BMemoryIO *self, off_t position, uint32 seekMode); off_t Seek(off_t, uint32); // off_t be_BMemoryIO_Position(BMemoryIO *self); off_t Position(); // status_t be_BMemoryIO_SetSize(BMemoryIO *self, off_t size); status_t SetSize(off_t); void * _InstPtr(); void _InstPtr(void *ptr); bool _OwnsPtr(); void _OwnsPtr(bool value); } class BMemoryIO : BPositionIO, IBMemoryIO { private: void *fInstancePointer = null; bool fOwnsPointer = false; mixin(BObject!()); public: // BMemoryIOProxy * be_BMemoryIO_ctor(void *bindInstPtr, void * data, size_t length); this(void [] data) { if(_InstPtr is null) { _InstPtr = be_BMemoryIO_ctor(cast(void *)this, data.ptr, data.length); _OwnsPtr = true; } super(); } /* // BMemoryIOProxy * be_BMemoryIO_ctor_1(void *bindInstPtr, const void * data, size_t length); this() { if(fInstancePointer is null) { fInstancePointer = be_BMemoryIO_ctor_1(cast(void *)this); fOwnsPointer = true; } } */ // void be_BMemoryIO_dtor(BMemoryIO* self); ~this() { if(_InstPtr !is null && _OwnsPtr) { be_BMemoryIO_dtor(_InstPtr()); _InstPtr = null; _OwnsPtr = false; } } // ssize_t be_BMemoryIO_ReadAt(BMemoryIO *self, off_t position, void * buffer, size_t size); ssize_t ReadAt(off_t position, inout void [] buffer, size_t size) { return be_BMemoryIO_ReadAt(_InstPtr(), position, buffer.ptr, size); } // ssize_t be_BMemoryIO_WriteAt(BMemoryIO *self, off_t position, const void * buffer, size_t size); ssize_t WriteAt(off_t position, void [] buffer, size_t size) { return be_BMemoryIO_WriteAt(_InstPtr(), position, buffer.ptr, size); } // off_t be_BMemoryIO_Seek(BMemoryIO *self, off_t position, uint32 seekMode); off_t Seek(off_t position, uint32 seekMode) { return be_BMemoryIO_Seek(_InstPtr(), position, seekMode); } // off_t be_BMemoryIO_Position(BMemoryIO *self); off_t Position() { return be_BMemoryIO_Position(_InstPtr()); } // status_t be_BMemoryIO_SetSize(BMemoryIO *self, off_t size); status_t SetSize(off_t size) { return be_BMemoryIO_SetSize(_InstPtr(), size); } void * _InstPtr() { return fInstancePointer; } void _InstPtr(void *ptr) { fInstancePointer = ptr; } bool _OwnsPtr() { return fOwnsPointer; } void _OwnsPtr(bool value) { fOwnsPointer = value; } } interface IBMallocIO { // ssize_t be_BMallocIO_ReadAt(BMallocIO *self, off_t position, void * buffer, size_t size); ssize_t ReadAt(off_t, inout void [], size_t); // ssize_t be_BMallocIO_WriteAt(BMallocIO *self, off_t position, const void * buffer, size_t size); ssize_t WriteAt(off_t, void [], size_t); // off_t be_BMallocIO_Seek(BMallocIO *self, off_t position, uint32 seekMode); off_t Seek(off_t, uint32); // off_t be_BMallocIO_Position(BMallocIO *self); off_t Position(); // status_t be_BMallocIO_SetSize(BMallocIO *self, off_t size); status_t SetSize(off_t); // void be_BMallocIO_SetBlockSize(BMallocIO *self, size_t blockSize); void SetBlockSize(size_t); // const void * be_BMallocIO_Buffer(BMallocIO *self); void * Buffer(); // size_t be_BMallocIO_BufferLength(BMallocIO *self); size_t BufferLength(); void * _InstPtr(); void _InstPtr(void *ptr); bool _OwnsPtr(); void _OwnsPtr(bool value); } class BMallocIO : BPositionIO, IBMallocIO { private: void *fInstancePointer = null; bool fOwnsPointer = false; mixin(BObject!()); public: // BMallocIOProxy * be_BMallocIO_ctor(void *bindInstPtr); this() { if(_InstPtr is null) { _InstPtr = be_BMallocIO_ctor(cast(void *)this); _OwnsPtr = true; } super(); } // void be_BMallocIO_dtor(BMallocIO* self); ~this() { if(_InstPtr !is null && _OwnsPtr) { be_BMallocIO_dtor(_InstPtr()); _InstPtr = null; _OwnsPtr = false; } } // ssize_t be_BMallocIO_ReadAt(BMallocIO *self, off_t position, void * buffer, size_t size); ssize_t ReadAt(off_t position, inout void [] buffer, size_t size) { return be_BMallocIO_ReadAt(_InstPtr(), position, buffer.ptr, size); } // ssize_t be_BMallocIO_WriteAt(BMallocIO *self, off_t position, const void * buffer, size_t size); ssize_t WriteAt(off_t position, void [] buffer, size_t size) { return be_BMallocIO_WriteAt(_InstPtr(), position, buffer.ptr, size); } // off_t be_BMallocIO_Seek(BMallocIO *self, off_t position, uint32 seekMode); off_t Seek(off_t position, uint32 seekMode) { return be_BMallocIO_Seek(_InstPtr(), position, seekMode); } // off_t be_BMallocIO_Position(BMallocIO *self); off_t Position() { return be_BMallocIO_Position(_InstPtr()); } // status_t be_BMallocIO_SetSize(BMallocIO *self, off_t size); status_t SetSize(off_t size) { return be_BMallocIO_SetSize(_InstPtr(), size); } // void be_BMallocIO_SetBlockSize(BMallocIO *self, size_t blockSize); void SetBlockSize(size_t blockSize) { be_BMallocIO_SetBlockSize(_InstPtr(), blockSize); } // const void * be_BMallocIO_Buffer(BMallocIO *self); void * Buffer() { return be_BMallocIO_Buffer(_InstPtr()); } // size_t be_BMallocIO_BufferLength(BMallocIO *self); size_t BufferLength() { return be_BMallocIO_BufferLength(_InstPtr()); } void * _InstPtr() { return fInstancePointer; } void _InstPtr(void *ptr) { fInstancePointer = ptr; } bool _OwnsPtr() { return fOwnsPointer; } void _OwnsPtr(bool value) { fOwnsPointer = value; } }
D